diff --git a/collects/help/help.ss b/collects/help/help.ss
index 62feef91..a50a81ce 100644
--- a/collects/help/help.ss
+++ b/collects/help/help.ss
@@ -23,6 +23,17 @@
(begin-elaboration-time
(require-library "invoke.ss"))
+(define-values/invoke-unit/sig
+ help:get-info^
+ (unit/sig help:get-info^
+ (import)
+
+ (define (get-language-level)
+ 'unknown)
+ (define (get-teachpack-names)
+ 'unknown))
+ drscheme:export:help-info)
+
(define frame-mixin values)
(define (user-defined-doc-position x) #f)
diff --git a/collects/net/base64.ss b/collects/net/base64.ss
deleted file mode 100644
index f3e2bca3..00000000
--- a/collects/net/base64.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-
-(require-relative-library "base64s.ss")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:base64^
- (require-relative-library "base64r.ss"))
diff --git a/collects/net/base64r.ss b/collects/net/base64r.ss
deleted file mode 100644
index e5452b84..00000000
--- a/collects/net/base64r.ss
+++ /dev/null
@@ -1,68 +0,0 @@
-
-(unit/sig mzlib:base64^
- (import)
-
- (define (base64-encode src)
- ; Always includes a terminator
- (let* ([len (string-length src)]
- [new-len (let ([l (add1 (ceiling (* len 8/6)))])
- ; Break l into 72-character lines.
- ; Insert CR/LF between each line.
- (+ l (* (quotient l 72) 2)))]
- [dest (make-string new-len #\0)]
- [char-map (list->vector
- (let ([each-char (lambda (s e)
- (let loop ([l null][i (char->integer e)])
- (if (= i (char->integer s))
- (cons s l)
- (loop (cons (integer->char i)
- l)
- (sub1 i)))))])
- (append
- (each-char #\A #\Z)
- (each-char #\a #\z)
- (each-char #\0 #\9)
- (list #\+ #\/))))])
- (let loop ([bits 0][v 0][col 0][srcp 0][destp 0])
- (cond
- [(= col 72)
- ; Insert CRLF
- (string-set! dest destp #\return)
- (string-set! dest (add1 destp) #\linefeed)
- (loop bits
- v
- 0
- srcp
- (+ destp 2))]
- [(and (= srcp len)
- (<= bits 6))
- ; That's all, folks.
- ; Write the last few bits.
- (begin
- (string-set! dest destp (vector-ref char-map (arithmetic-shift v (- 6 bits))))
- (add1 destp))
- (if (= col 71)
- ; Have to write CRLF before terminator
- (begin
- (string-set! dest (+ destp 1) #\return)
- (string-set! dest (+ destp 2) #\linefeed)
- (string-set! dest (+ destp 3) #\=))
- (string-set! dest (add1 destp) #\=))
- dest]
- [(< bits 6)
- ; Need more bits.
- (loop (+ bits 8)
- (bitwise-ior (arithmetic-shift v 8)
- (char->integer (string-ref src srcp)))
- col
- (add1 srcp)
- destp)]
- [else
- ; Write a char.
- (string-set! dest destp (vector-ref char-map (arithmetic-shift v (- 6 bits))))
- (loop (- bits 6)
- (bitwise-and v (sub1 (arithmetic-shift 1 (- bits 6))))
- (add1 col)
- srcp
- (add1 destp))])))))
-
diff --git a/collects/net/base64s.ss b/collects/net/base64s.ss
deleted file mode 100644
index 452525f5..00000000
--- a/collects/net/base64s.ss
+++ /dev/null
@@ -1,3 +0,0 @@
-
-(define-signature mzlib:base64^
- (base64-encode))
diff --git a/collects/net/cgi.ss b/collects/net/cgi.ss
deleted file mode 100644
index db770679..00000000
--- a/collects/net/cgi.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-
-(require-library "cgiu.ss" "net")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:cgi^
- mzlib:cgi@)
diff --git a/collects/net/cgir.ss b/collects/net/cgir.ss
deleted file mode 100644
index 040c2610..00000000
--- a/collects/net/cgir.ss
+++ /dev/null
@@ -1,313 +0,0 @@
-(unit/sig mzlib:cgi^
- (import)
-
- ;; type bindings = list ((symbol . string))
-
- ;; --------------------------------------------------------------------
-
- ;; Exceptions:
-
- (define-struct cgi-error ())
-
- ;; chars : list (char)
- ;; -- gives the suffix which is invalid, not including the `%'
-
- (define-struct (incomplete-%-suffix struct:cgi-error) (chars))
-
- ;; char : char
- ;; -- an invalid character in a hex string
-
- (define-struct (invalid-%-suffix struct:cgi-error) (char))
-
- ;; --------------------------------------------------------------------
-
- ;; query-chars->string :
- ;; list (char) -> string
-
- ;; -- The input is the characters post-processed as per Web specs, which
- ;; is as follows:
- ;; spaces are turned into "+"es and lots of things are turned into %XX,
- ;; where XX are hex digits, eg, %E7 for ~. The output is a regular
- ;; Scheme string with all the characters converted back.
-
- (define query-chars->string
- (lambda (chars)
- (list->string
- (let loop ((chars chars))
- (if (null? chars) null
- (let ((first (car chars))
- (rest (cdr chars)))
- (let-values (((this rest)
- (cond
- ((char=? first #\+)
- (values #\space rest))
- ((char=? first #\%)
- (if (and (pair? rest)
- (pair? (cdr rest)))
- (values
- (integer->char
- (or (string->number
- (string
- (car rest) (cadr rest))
- 16)
- (raise (make-invalid-%-suffix
- (if (string->number
- (string (car rest))
- 16)
- (cadr rest)
- (car rest))))))
- (cddr rest))
- (raise
- (make-incomplete-%-suffix rest))))
- (else
- (values first rest)))))
- (cons this (loop rest)))))))))
-
- ;; string->html :
- ;; string -> string
- ;; -- the input is raw text, the output is HTML appropriately quoted
-
- (define string->html
- (lambda (s)
- (apply string-append
- (map (lambda (c)
- (case c
- ((#\<) "<")
- ((#\>) ">")
- ((#\&) "&")
- (else (string c))))
- (string->list s)))))
-
- (define default-text-color "#000000")
- (define default-bg-color "#ffffff")
- (define default-link-color "#cc2200")
- (define default-vlink-color "#882200")
- (define default-alink-color "#444444")
-
- ;; generate-html-output :
- ;; html-string x list (html-string) x ... -> ()
-
- (define generate-html-output
- (opt-lambda (title body-lines
- (text-color default-text-color)
- (bg-color default-bg-color)
- (link-color default-link-color)
- (vlink-color default-vlink-color)
- (alink-color default-alink-color))
- (let ((sa string-append))
- (for-each
- (lambda (l)
- (display l) (newline))
- `("Content-type: text/html"
- ""
- ""
- ""
-
- "
"
- ,(sa "" title "")
- ""
- ""
- ,(sa "")
- ""
- ,@body-lines
- ""
- ""
- "")))))
-
- ;; read-until-char :
- ;; iport x char -> list (char) x bool
- ;; -- operates on the default input port; the second value indicates
- ;; whether reading stopped because an EOF was hit (as opposed to the
- ;; delimiter being seen); the delimiter is not part of the result
-
- (define read-until-char
- (lambda (ip delimiter)
- (let loop ((chars '()))
- (let ((c (read-char ip)))
- (cond
- ((eof-object? c)
- (values (reverse chars) #t))
- ((char=? c delimiter)
- (values (reverse chars) #f))
- (else
- (loop (cons c chars))))))))
-
- ;; read-name+value :
- ;; iport -> (symbol + bool) x (string + bool) x bool
-
- ;; -- If the first value is false, so is the second, and the third is
- ;; true, indicating EOF was reached without any input seen. Otherwise,
- ;; the first and second values contain strings and the third is either
- ;; true or false depending on whether the EOF has been reached. The
- ;; strings are processed to remove the CGI spec "escape"s.
-
- ;; This code is _slightly_ lax: it allows an input to end in `&'. It's
- ;; not clear this is legal by the CGI spec, which suggests that the last
- ;; value binding must end in an EOF. It doesn't look like this matters.
- ;; It would also introduce needless modality and reduce flexibility.
-
- (define read-name+value
- (lambda (ip)
- (let-values
- (((name eof?)
- (read-until-char ip #\=)))
- (cond
- ((and eof? (null? name))
- (values #f #f #t))
- (eof?
- (generate-error-output
- (list "Server generated malformed input for POST method:"
- (string-append
- "No binding for `" (list->string name) "' field."))))
- (else
- (let-values (((value eof?)
- (read-until-char ip #\&)))
- (values (string->symbol (query-chars->string name))
- (query-chars->string value)
- eof?)))))))
-
- ;; get-bindings/post :
- ;; () -> bindings
-
- (define get-bindings/post
- (lambda ()
- (let-values (((name value eof?)
- (read-name+value
- (current-input-port))))
- (cond
- ((and eof? (not name))
- null)
- ((and eof? name)
- (list (cons name value)))
- (else
- (cons (cons name value)
- (get-bindings/post)))))))
-
- ;; get-bindings/get :
- ;; () -> bindings
-
- (define get-bindings/get
- (lambda ()
- (let ((p (open-input-string
- (getenv "QUERY_STRING"))))
- (let loop ()
- (let-values (((name value eof?)
- (read-name+value p)))
- (cond
- ((and eof? (not name))
- null)
- ((and eof? name)
- (list (cons name value)))
- (else
- (cons (cons name value)
- (loop)))))))))
-
- ;; get-bindings :
- ;; () -> bindings
-
- (define get-bindings
- (lambda ()
- (if (string=? (get-cgi-method) "POST")
- (get-bindings/post)
- (get-bindings/get))))
-
- ;; generate-error-output :
- ;; list (html-string) ->
-
- (define generate-error-output
- (lambda (error-message-lines)
- (generate-html-output "Internal Error"
- error-message-lines)
- (exit)))
-
- ;; bindings-as-html :
- ;; bindings -> list (html-string)
- ;; -- formats name-value bindings as HTML appropriate for displaying
-
- (define bindings-as-html
- (lambda (bindings)
- `(""
- ,@(map
- (lambda (bind)
- (string-append
- (symbol->string (car bind))
- " --> "
- (cdr bind)
- " "))
- bindings)
- "")))
-
- ;; extract-bindings :
- ;; (string + symbol) x bindings -> list (string)
-
- ;; -- Extracts the bindings associated with a given name. The semantics
- ;; of forms states that a CHECKBOX may use the same NAME field multiple
- ;; times. Hence, a list of strings is returned. Note that the result
- ;; may be the empty list.
-
- (define extract-bindings
- (lambda (field-name bindings)
- (let ((field-name (if (symbol? field-name) field-name
- (string->symbol field-name))))
- (let loop ((found null) (bindings bindings))
- (if (null? bindings)
- found
- (if (equal? field-name (caar bindings))
- (loop (cons (cdar bindings) found) (cdr bindings))
- (loop found (cdr bindings))))))))
-
- ;; extract-binding/single :
- ;; (string + symbol) x bindings -> string
- ;; -- used in cases where only one binding is supposed to occur
-
- (define extract-binding/single
- (lambda (field-name bindings)
- (let ((field-name (if (symbol? field-name) field-name
- (string->symbol field-name))))
- (let ((result (extract-bindings field-name bindings)))
- (cond
- ((null? result)
- (generate-error-output
- `(,(string-append "No binding for field `"
- (if (symbol? field-name)
- (symbol->string field-name)
- field-name)
- "' in
")
- ,@(bindings-as-html bindings))))
- ((null? (cdr result))
- (car result))
- (else
- (generate-error-output
- `(,(string-append "Multiple bindings for field `"
- (if (symbol? field-name)
- (symbol->string field-name)
- field-name)
- "' where only one was expected in
")
- ,@(bindings-as-html bindings)))))))))
-
- ;; get-cgi-method :
- ;; () -> string
- ;; -- string is either GET or POST (though future extension is possible)
-
- (define get-cgi-method
- (lambda ()
- (getenv "REQUEST_METHOD")))
-
- ;; generate-link-text :
- ;; string x html-string -> html-string
-
- (define generate-link-text
- (lambda (url anchor-text)
- (string-append "" anchor-text "")))
-
- ;; ====================================================================
-
-
- )
diff --git a/collects/net/cgis.ss b/collects/net/cgis.ss
deleted file mode 100644
index c51585cf..00000000
--- a/collects/net/cgis.ss
+++ /dev/null
@@ -1,24 +0,0 @@
-(require-library "macro.ss")
-
-(define-signature mzlib:cgi^
- (
- ;; -- exceptions raised --
- (struct cgi-error ())
- (struct incomplete-%-suffix (chars))
- (struct invalid-%-suffix (char))
-
- ;; -- cgi methods --
- get-bindings
- get-bindings/post
- get-bindings/get
- generate-html-output
- generate-error-output
- bindings-as-html
- extract-bindings
- extract-binding/single
- get-cgi-method
-
- ;; -- general HTML utilities --
- string->html
- generate-link-text
- ))
diff --git a/collects/net/cgiu.ss b/collects/net/cgiu.ss
deleted file mode 100644
index 1b13e28f..00000000
--- a/collects/net/cgiu.ss
+++ /dev/null
@@ -1,4 +0,0 @@
-(require-library "refer.ss")
-(require-library "cgis.ss" "net")
-
-(define mzlib:cgi@ (require-library-unit/sig "cgir.ss" "net"))
diff --git a/collects/net/dns.ss b/collects/net/dns.ss
deleted file mode 100644
index b569eb68..00000000
--- a/collects/net/dns.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-
-(require-relative-library "dnss.ss")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:dns^
- (require-relative-library "dnsr.ss"))
diff --git a/collects/net/dnsr.ss b/collects/net/dnsr.ss
deleted file mode 100644
index 804d4254..00000000
--- a/collects/net/dnsr.ss
+++ /dev/null
@@ -1,293 +0,0 @@
-
-(unit/sig mzlib:dns^
- (import)
-
- (define types
- '((a 1)
- (ns 2)
- (md 3)
- (mf 4)
- (cname 5)
- (soa 6)
- (mb 7)
- (mg 8)
- (mr 9)
- (null 10)
- (wks 11)
- (ptr 12)
- (hinfo 13)
- (minfo 14)
- (mx 15)
- (txt 16)))
-
- (define classes
- '((in 1)
- (cs 2)
- (ch 3)
- (hs 4)))
-
- (define (cossa i l)
- (cond
- [(null? l) #f]
- [(equal? (cadar l) i)
- (car l)]
- [else (cossa i (cdr l))]))
-
-
- (define (number->octet-pair n)
- (list (integer->char (arithmetic-shift n -8))
- (integer->char (modulo n 256))))
-
- (define (octet-pair->number a b)
- (+ (arithmetic-shift (char->integer a) 8)
- (char->integer b)))
-
- (define (octet-quad->number a b c d)
- (+ (arithmetic-shift (char->integer a) 24)
- (arithmetic-shift (char->integer b) 16)
- (arithmetic-shift (char->integer c) 8)
- (char->integer d)))
-
- (define (name->octets s)
- (let ([do-one (lambda (s)
- (cons
- (integer->char (string-length s))
- (string->list s)))])
- (let loop ([s s])
- (let ([m (regexp-match "^([^.]*)[.](.*)" s)])
- (if m
- (append
- (do-one (cadr m))
- (loop (caddr m)))
- (append
- (do-one s)
- (list #\nul)))))))
-
- (define (make-std-query-header id question-count)
- (append
- (number->octet-pair id)
- (list #\001 #\nul) ; Opcode & flags (recusive flag set)
- (number->octet-pair question-count)
- (number->octet-pair 0)
- (number->octet-pair 0)
- (number->octet-pair 0)))
-
- (define (make-query id name type class)
- (append
- (make-std-query-header id 1)
- (name->octets name)
- (number->octet-pair (cadr (assoc type types)))
- (number->octet-pair (cadr (assoc class classes)))))
-
- (define (add-size-tag m)
- (append (number->octet-pair (length m)) m))
-
- (define (rr-data rr)
- (cadddr (cdr rr)))
-
- (define (rr-type rr)
- (cadr rr))
-
- (define (rr-name rr)
- (car rr))
-
- (define (parse-name start reply)
- (let ([v (char->integer (car start))])
- (cond
- [(zero? v)
- ; End of name
- (values #f (cdr start))]
- [(zero? (bitwise-and #xc0 v))
- ; Normal label
- (let loop ([len v][start (cdr start)][accum null])
- (cond
- [(zero? len)
- (let-values ([(s start) (parse-name start reply)])
- (let ([s0 (list->string (reverse! accum))])
- (values (if s
- (string-append s0 "." s)
- s0)
- start)))]
- [else (loop (sub1 len) (cdr start) (cons (car start) accum))]))]
- [else
- ; Compression offset
- (let ([offset (+ (arithmetic-shift (bitwise-and #x3f v) 8)
- (char->integer (cadr start)))])
- (let-values ([(s ignore-start) (parse-name (list-tail reply offset) reply)])
- (values s (cddr start))))])))
-
- (define (parse-rr start reply)
- (let-values ([(name start) (parse-name start reply)])
- (let ([type (car (cossa (octet-pair->number (car start) (cadr start)) types))]
- [start (cddr start)])
- (let ([class (car (cossa (octet-pair->number (car start) (cadr start)) classes))]
- [start (cddr start)])
- (let ([ttl (octet-quad->number (car start) (cadr start)
- (caddr start) (cadddr start))]
- [start (cddddr start)])
- (let ([len (octet-pair->number (car start) (cadr start))]
- [start (cddr start)])
- ; Extract next len bytes for data:
- (let loop ([len len][start start][accum null])
- (if (zero? len)
- (values (list name type class ttl (reverse! accum))
- start)
- (loop (sub1 len) (cdr start) (cons (car start) accum))))))))))
-
- (define (parse-ques start reply)
- (let-values ([(name start) (parse-name start reply)])
- (let ([type (car (cossa (octet-pair->number (car start) (cadr start)) types))]
- [start (cddr start)])
- (let ([class (car (cossa (octet-pair->number (car start) (cadr start)) classes))]
- [start (cddr start)])
- (values (list name type class) start)))))
-
- (define (parse-n parse start reply n)
- (let loop ([n n][start start][accum null])
- (if (zero? n)
- (values (reverse! accum) start)
- (let-values ([(rr start) (parse start reply)])
- (loop (sub1 n) start (cons rr accum))))))
-
- (define (dns-query nameserver addr type class)
- (unless (assoc type types)
- (raise-type-error 'dns-query "DNS query type" type))
- (unless (assoc class classes)
- (raise-type-error 'dns-query "DNS query class" class))
-
- (let* ([query (make-query (random 256) addr type class)]
- [reply
- (let-values ([(r w) (tcp-connect nameserver 53)])
- (dynamic-wind
- void
-
- (lambda ()
- (display (list->string (add-size-tag query)) w)
- (flush-output w)
-
- (let ([a (read-char r)]
- [b (read-char r)])
- (let ([len (octet-pair->number a b)])
- (let ([s (read-string len r)])
- (unless (= len (string-length s))
- (error 'dns-query "unexpected EOF from server"))
- (string->list s)))))
-
- (lambda ()
- (close-input-port r)
- (close-output-port w))))])
-
- ; First two bytes must match sent message id:
- (unless (and (char=? (car reply) (car query))
- (char=? (cadr reply) (cadr query)))
- (error 'dns-query "bad reply id from server"))
-
- (let ([v0 (caddr reply)]
- [v1 (cadddr reply)])
- ; Check for error code:
- (let ([rcode (bitwise-and #xf (char->integer v1))])
- (unless (zero? rcode)
- (error 'dns-query "error from server: ~a"
- (case rcode
- [(1) "format error"]
- [(2) "server failure"]
- [(3) "name error"]
- [(4) "not implemented"]
- [(5) "refused"]))))
-
- (let ([qd-count (octet-pair->number (list-ref reply 4) (list-ref reply 5))]
- [an-count (octet-pair->number (list-ref reply 6) (list-ref reply 7))]
- [ns-count (octet-pair->number (list-ref reply 8) (list-ref reply 9))]
- [ar-count (octet-pair->number (list-ref reply 10) (list-ref reply 11))])
-
- (let ([start (list-tail reply 12)])
- (let*-values ([(qds start) (parse-n parse-ques start reply qd-count)]
- [(ans start) (parse-n parse-rr start reply an-count)]
- [(nss start) (parse-n parse-rr start reply ns-count)]
- [(ars start) (parse-n parse-rr start reply ar-count)])
- (unless (null? start)
- (error 'dns-query "error parsing server reply"))
- (values (positive? (bitwise-and #x4 (char->integer v0)))
- qds ans nss ars reply)))))))
-
- (define cache (make-hash-table))
- (define (dns-query/cache nameserver addr type class)
- (let ([key (string->symbol (format "~a;~a;~a;~a" nameserver addr type class))])
- (let ([v (hash-table-get cache key (lambda () #f))])
- (if v
- (apply values v)
- (let-values ([(auth? qds ans nss ars reply) (dns-query nameserver addr type class)])
- (hash-table-put! cache key (list auth? qds ans nss ars reply))
- (values auth? qds ans nss ars reply))))))
-
- (define (ip->string s)
- (format "~a.~a.~a.~a"
- (char->integer (list-ref s 0))
- (char->integer (list-ref s 1))
- (char->integer (list-ref s 2))
- (char->integer (list-ref s 3))))
-
- (define (try-forwarding k nameserver)
- (let loop ([nameserver nameserver][tried (list nameserver)])
- ; Normally the recusion is done for us, but it's technically optional
- (let-values ([(v ars auth?) (k nameserver)])
- (or v
- (and (not auth?)
- (let* ([ns (ormap
- (lambda (ar)
- (and (eq? (rr-type ar) 'a)
- (ip->string (rr-data ar))))
- ars)])
- (and ns
- (not (member ns tried))
- (loop ns (cons ns tried)))))))))
-
- (define (dns-get-address nameserver addr)
- (or (try-forwarding
- (lambda (nameserver)
- (let-values ([(auth? qds ans nss ars reply) (dns-query/cache nameserver addr 'a 'in)])
- (values (and (positive? (length ans))
- (let ([s (rr-data (car ans))])
- (ip->string s)))
- ars auth?)))
- nameserver)
- (error 'dns-get-address "bad address")))
-
- (define (dns-get-mail-exchanger nameserver addr)
- (or (try-forwarding
- (lambda (nameserver)
- (let-values ([(auth? qds ans nss ars reply) (dns-query/cache nameserver addr 'mx 'in)])
- (values (let loop ([ans ans][best-pref +inf.0][exchanger #f])
- (cond
- [(null? ans) (or exchanger
- ;; Does 'soa mean that the input address is fine?
- (and (ormap
- (lambda (ns) (eq? (rr-type ns) 'soa))
- nss)
- addr))]
- [else
- (let ([d (rr-data (car ans))])
- (let ([pref (octet-pair->number (car d) (cadr d))])
- (if (< pref best-pref)
- (let-values ([(name start) (parse-name (cddr d) reply)])
- (loop (cdr ans) pref name))
- (loop (cdr ans) best-pref exchanger))))]))
- ars auth?)))
- nameserver)
- (error 'dns-get-mail-exchanger "bad address")))
-
- (define (dns-find-nameserver)
- (case (system-type)
- [(unix) (with-handlers ([void (lambda (x) #f)])
- (with-input-from-file "/etc/resolv.conf"
- (lambda ()
- (let loop ()
- (let ([l (read-line)])
- (or (and (string? l)
- (let ([m (regexp-match
- (format "nameserver[ ~a]+([0-9]+[.][0-9]+[.][0-9]+[.][0-9]+)" #\tab)
- l)])
- (and m (cadr m))))
- (and (not (eof-object? l))
- (loop))))))))]
- [else #f])))
diff --git a/collects/net/dnss.ss b/collects/net/dnss.ss
deleted file mode 100644
index 8083f659..00000000
--- a/collects/net/dnss.ss
+++ /dev/null
@@ -1,5 +0,0 @@
-
-(define-signature mzlib:dns^
- (dns-get-address
- dns-get-mail-exchanger
- dns-find-nameserver))
diff --git a/collects/net/doc.txt b/collects/net/doc.txt
deleted file mode 100644
index e3fabe04..00000000
--- a/collects/net/doc.txt
+++ /dev/null
@@ -1,999 +0,0 @@
-Time-stamp: <99/10/22 12:42:59 shriram>
-
-The `net' collection contains libraries that provide access to the
-following _Internet_ (quasi-)protocols:
-
- URL parsing
- CGI backends
- sendmail
- SMTP
- NNTP
- POP-3
- IMAP
- Mail header reading and writing
- DNS
-
-Shriram Krishnamurthi
-shriram@cs.rice.edu
-Matthew Flatt
-mflatt@cs.utah.edu
-
-==========================================================================
-_URL_ posting, _web clients_, _WWW_
-==========================================================================
-
-Collection: net
-Files: _url.ss_, _urlr.ss_, _urls.ss_, _urlu.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-The url package manages features of URLs.
-
-TYPES ----------------------------------------------------------------
-
-> url
- struct url (scheme host port path params query fragment)
- scheme : string or #f
- host : string or #f
- port : number or #f
- path : string
- params : string or #f
- query : string or #f
- fragment : string or #f
-
- The basic structure for all URLs.
-
- http://www.cs.rice.edu:80/cgi-bin/finger;xyz?name=shriram&host=nw#top
- 1 2 3 4 5 6 7
-
- 1 = scheme, 2 = host, 3 = port, 4 = path,
- 5 = params, 6 = query, 7 = fragment
-
-> pure-port
-
- A pure port is one from which the MIME headers have been removed, so
- that what remains is purely the first content fragment.
-
-> mime-header
- struct mime-header (name value)
- name : string
- value : string
-
- MIME header.
-
-PROCEDURES -----------------------------------------------------------
-
-> (unixpath->path string) -> path-string
-
- Given a path from a URL structure, turns it into a path that
- conforms to the local OS path specifications. Useful for file
- accesses on the local disk system.
-
-> (get-pure-port url [list-of-strings]) -> input-port
-
- Takes a URL and returns a pure port corresponding to it. Writes the
- optional strings to the server.
-
-> (get-impure-port url [list-of-strings]) -> input-port
-
- Takes a URL and returns an impure port corresponding to it. Writes
- the optional strings to the server.
-
-> (display-pure-port input-port) -> void
-
- Writes the output of a pure port. For debugging purposes.
-
-> (purify-port input-port) -> list-of-mime-headers
-
- Purifies a port, returning the MIME headers.
-
-> (string->url string) -> url
-
- Turns a string into a URL.
-
-> (netscape/string->url string) -> url
-
- Turns a string into a URL, applying (what appear to be) Netscape's
- conventions on automatically specifying the scheme: a string
- starting with a slash gets the scheme "file", while all others get
- the scheme "http".
-
-> (url->string url) -> string
-
- Generates a string corresponding to the contents of the url struct.
-
-> (call/input-url url url->port-proc port->void-proc [list-of-strings]) -> void
-
- First argument is the URL to open. Second is a procedure that takes
- a URL and turns it into a (pure or impure) port. The third takes
- the (pure or impure) port and handles its contents. The optional
- fourth argument is a set of strings to send to the server.
-
-> (combine-url/relative url string) -> url
-
- Given a base URL and a relative path, combines the two and returns a
- new URL.
-
-EXAMPLE --------------------------------------------------------------
-
- (require-library "url.ss" "net")
- (define url:cs (string->url "http://www.cs.rice.edu/"))
- (define url:me (string->url "http://www.cs.rice.edu/~shriram/"))
- (define comb combine-url/relative)
- (define (test url)
- (call/input-url url get-pure-port display-pure-port))
- (test url:cs)
-
-==========================================================================
-_CGI_ backends, _WWW_
-==========================================================================
-
-Collection: net
-Libraries: _cgi.ss_, _cgic.ss_, _cgir.ss_, _cgis.ss_, _cgiu.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-The cgi package helps programmers write scripts that follow the Common
-Gateway Interface (CGI) protocol of the World-Wide Web.
-
-TYPES ----------------------------------------------------------------
-
-binding:
-
- A binding is an association of a form item with its value. Some form
- items (such as checkboxes) may correspond to multiple bindings. A
- binding is a tag-string pair, where a tag is a symbol or a string.
-
-bindings:
-
- A list of `binding's.
-
-html-string:
-
- A text string that has been escaped according to HTML conventions.
-
-EXCEPTIONS -----------------------------------------------------------
-
-> cgi-error
- struct cgi-error ()
-
- cgi-error is a super-structure for all exceptions thrown by this
- library.
-
-> incomplete-%-suffix
- struct (incomplete-%-suffix cgi-error) (chars)
- chars : list of chars
-
- Used when a % in a query is followed by an incomplete suffix. The
- characters of the suffix -- excluding the "%" -- are provided by the
- exception.
-
-> invalid-%-suffix
- struct (invalid-%-suffix cgi-error) (char)
- char : char
-
- Used when the character immediately following a % in a query is
- invalid.
-
-PROCEDURES -----------------------------------------------------------
-
-> (get-bindings) -> bindings
-> (get-bindings/post) -> bindings
-> (get-bindings/get) -> bindings
-
- Returns the bindings that corresponding to the options specified by
- the user. The /post and /get forms work only when POST and GET
- forms are used, respectively, while get-bindings determines the kind
- of form that was used and invokes the appropriate function.
-
-> (extract-bindings symbol-or-string bindings) -> list of strings
-
- Given a key and a set of bindings, extract-bindings determines which
- ones correspond to a given key. There may be zero, one, or many
- associations for a given key.
-
-> (extract-binding/single symbol-or-string bindings) -> string
-
- Given a key and a set of bindings, extract-binding/single ensures
- that the key has exactly one association, and returns it.
-
-> (generate-html-output html-string list-of-html-strings [color color color color color]) -> void
-
- The first argument is the title. The second is a list of strings
- that consist of the body. The last five arguments are each strings
- representing a HTML color; in order, they represent the color of the
- text, the background, un-visited links, visited links, and a link
- being selected.
-
-> (string->html string) -> html-string
-
- Converts a string into an html-string by applying the appropriate
- HTML quoting conventions.
-
-> (generate-link-text string html-string) -> html-string
-
- Takes a string representing a URL, a html-string for the anchor
- text, and generates HTML corresponding to an achor.
-
-> (generate-error-output list-of-html-strings) ->
-
- The procedure takes a series of strings representing the body,
- prints them with the subject line "Internal error", and forces the
- script to exit.
-
-> (get-cgi-method) -> string
-
- Returns either "GET" or "POST". Always returns a string when
- invoked inside a CGI script. Unpredictable otherwise.
-
-> (bindings-as-html bindings) -> list of html-strings
-
- Converts a set of bindings into a list of html-string's. Useful for
- debugging.
-
-==========================================================================
-_sending mail_, _sendmail_
-==========================================================================
-
-Collection: net
-Files: _mail.ss_, _mailr.ss_, _mails.ss_, _mailu.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-The mail package helps programmers write programs that need to send
-electronic mail messages. The package assumes the existence of a
-conformant sendmail program on the local system; see also the SMTP
-package, below.
-
-TYPES ----------------------------------------------------------------
-
- All strings used in mail messages are assumed to conform to their
- corresponding SMTP specifications, except as noted otherwise.
-
-EXCEPTIONS -----------------------------------------------------------
-
-> no-mail-recipients
- struct (no-mail-recipients exn) ()
-
- Raised when no mail recipients were specified.
-
-PROCEDURES -----------------------------------------------------------
-
-> (send-mail-message/port from-string subject-string to-list-of-strings cc-list-of-strings bcc-list-of-string) -> output-port
-
- The first argument is the header for the sender, the second is the
- subject line, the third a list of To: recipients, the fourth a list
- of CC: recipients, and the fifth a list of BCC: recipients. The
- optional sixth argument is used for other mail headers, which must
- be specified completely formatted.
-
- The return value is an output port into which the client must write
- the message. Clients are urged to use close-output-port on the
- return value as soon as the necessary text has been written, so that
- the sendmail process can complete.
-
- The sender can hold any value, though of course spoofing should be
- used with care.
-
-> (send-mail-message from-string subject-string to-list-of-strings cc-list-of-strings bcc-list-of-string body-list-of-strings [extra-headers-list-of-strings]) -> void
-
- The arguments are the same as that for send-mail-message/port except
- that there is one extra input, the list of strings corresponding to
- the mail message (followed by the optional additional headers, if
- present). There is no interesting return value.
-
- Lines that contain a single period do not need to be quoted.
-
-==========================================================================
-_sending mail_, _SMTP_
-==========================================================================
-
-Collection: net
-Files: _smtp.ss_, _smtpr.ss_, _smtps.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-The SMTP package helps programmers write programs that need to send
-electronic mail messages using SMTP. The client must provide the
-address of an SMTP server; in contrast, the mail package (see above)
-uses a pre-configured sendmail on the local system.
-
-TYPES ----------------------------------------------------------------
-
- The head package defines the format of a `header' string, which is
- used by `send-smtp-message'. The head package also provides
- utilities to verify the formatting of a mail address. The procedures
- of the SMTP package assume that the given string arguments are
- well-formed.
-
-EXCEPTIONS -----------------------------------------------------------
-
- Communication errors are signalled via exn:user structure instances.
-
-PROCEDURES -----------------------------------------------------------
-
-> (smtp-send-message server-string from-string to-list-of-strings header message-list-of-strings [port]) -> void
-
- The first argument is the IP address of the SMTP server. The
- `from-string' argument specifies the mail address of the sender, and
- `to-listof-strings' is a list of recipient addresses (including
- "To", "CC", and "BCC" recipients). The `header' argument is the
- complete message header, which should already include "From", "To",
- and "CC" fields consistent with the given sender and recipients.
- the `message-list-of-strings' argument is the body of the message,
- where each string in the list corresponds to a single line of
- message text; no string in `message-list-of-strings' should contain
- a carriage return or newline characters. The optional `port'
- argument specifies the IP port to use in contacting the SMTP server;
- the default is 25.
-
- See the head package for utilities that construct a message headers
- and validate mail address strings.
-
-> (smtp-sending-end-of-message [proc])
-
- Parameter that detemines a send-done procedure to be called after
- `smtp-send-message' has completely sent the message. Before the
- send-done procedure is called, breaking the thread that is executing
- `smtp-send-message' cancels the send. After the send-done procedure
- is called, breaking may or may not cancel the send (and probably
- won't).
-
-==========================================================================
-_NNTP_, _newsgroups_
-==========================================================================
-
-Collection: net
-Files: _nntp.ss_, _nntpr.ss_, _nntps.ss_, _nntpu.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-The nntp package helps programmers access Usenet groups via the NNTP
-protocols.
-
-TYPES ----------------------------------------------------------------
-
-> communicator
- struct communicator (sender receiver server port)
- sender : oport
- receiver : iport
- server : string
- port : number
-
- Once a connection to a Usenet server has been established, its state
- is stored in a communicator, and other procedures take communicators
- as an argument.
-
-> desired
-
- A regular expression that matches against a Usenet header.
-
-EXCEPTIONS -----------------------------------------------------------
-
-> nntp
- struct (nntp exn) ()
-
- The super-struct of all subsequent exceptions.
-
-> unexpected-response
- struct (unexpected-response nntp) (code text)
- code : number
- text : string
-
- Thrown whenever an unexpected response code is received. The text
- holds the response text sent by the server.
-
-> bad-status-line
- struct (bad-status-line nntp) (line)
- line : string
-
- Mal-formed status lines.
-
-> premature-close
- struct (premature-close nntp) (communicator)
- communicator : communicator
-
- Thrown when a remote server closes its connection unexpectedly.
-
-> bad-newsgroup-line
- struct (bad-newsgroup-line nntp) (line)
- line : string
-
- When the newsgroup line is improperly formatted.
-
-> non-existent-group
- struct (non-existent-group nntp) (group)
- group : string
-
- When the server does not recognize the name of the requested group.
-
-> article-not-in-group
- struct (article-not-in-group nntp) (article)
- article : number
-
- When an article is outside the server's range for that group.
-
-> no-group-selected
- struct (no-group-selected nntp) ()
-
- When an article operation is used before a group has been selected.
-
-> article-not-found
- struct (article-not-found nntp) (article)
- article : number
-
- When the server is unable to locate the article.
-
-PROCEDURES -----------------------------------------------------------
-
-> (connect-to-server server-string [port-number]) -> communicator
-
- Connects to the name server. The second argument, if provided, must
- be a port number; otherwise the default NNTP port is used.
-
-> (disconnect-from-server communicator) -> void
-
- Disconnects a communicator.
-
-> (open-news-group communicator newsgroup-string) -> three values: number number number
-
- The second argument is the name of a newsgroup. The returned values
- are the total number of articles in that group, the first available
- article, and the last available article.
-
-> (head-of-message communicator message-number) -> list of strings
-
- Given a message number, returns its headers.
-
-> (body-of-message communicator message-number) -> list of strings
-
- Given a message number, returns the body of the message.
-
-> (make-desired-header tag-string) -> desired
-
- Takes the header's tag and returns a desired regexp for that header.
-
-> (extract-desired-headers list-of-header-strings list-of-desireds) -> list of strings
-
- Given a list of headers and of desired's, returns the header lines
- that match any of the desired's.
-
-==========================================================================
-_POP-3_, _reading mail_
-==========================================================================
-
-Collection: net
-Files: _pop3.ss_, _pop3r.ss_, _pop3s.ss_, _pop3u.ss_
-
-Note: The pop3.ss invoke-opens the pop3r.ss unit with a "pop3:" prefix.
-
-ABSTRACT -------------------------------------------------------------
-
-Implements RFC 1939, Post Office Protocol - Version 3, Myers & Rose.
-http://www.cis.ohio-state.edu/htbin/rfc/rfc1939.html
-
-TYPES ----------------------------------------------------------------
-
-> communicator
- struct communicator (sender receiver server port state)
- sender : oport
- receiver : iport
- server : string
- port : number
- state : symbol = (disconnected, authorization, transaction)
-
- Once a connection to a POP-3 server has been established, its state
- is stored in a communicator, and other procedures take communicators
- as an argument.
-
-> desired
-
- A regular expression that matches against a mail header.
-
-EXCEPTIONS -----------------------------------------------------------
-
-> pop3
- struct (pop3 exn) ()
-
- The super-struct used for all other package exceptions.
-
-> cannot-connect
- struct (cannot-connect pop3) ()
-
- When a connection to a server cannot be established.
-
-> username-rejected
- struct (username-rejected pop3) ()
-
- If the username is rejected.
-
-> password-rejected
- struct (password-rejected pop3) ()
-
- If the password is rejected.
-
-> not-ready-for-transaction
- struct (not-ready-for-transaction pop3) (communicator)
- communicator : communicator
-
- When the communicator is not in transaction mode.
-
-> not-given-headers
- struct (not-given-headers pop3) (communicator message)
- communicator : communicator
- message : number
-
- When the server does not respond with headers for a message as
- requested.
-
-> illegal-message-number
- struct (illegal-message-number pop3) (communicator message)
- communicator : communicator
- message : number
-
- When the user specifies an illegal message number.
-
-> cannot-delete-message
- struct (cannot-delete-message exn) (communicator message)
- communicator : communicator
- message : number
-
- When the server is unable to delete a message.
-
-> disconnect-not-quiet
- struct (disconnect-not-quiet pop3) (communicator)
- communicator : communicator
-
- When the server does not gracefully disconnect.
-
-> malformed-server-response
- struct (malformed-server-response pop3) (communicator)
- communicator : communicator
-
- When the server produces a mal-formed response.
-
-PROCEDURES -----------------------------------------------------------
-
-> (connect-to-server server-string [port-number]) -> communicator
-
- Connects to a server. Uses the default port number if none is
- provided.
-
-> (disconnect-from-server communicator) -> void
-
- Disconnects from as server. Sets the communicator state to
- disconnected.
-
-> (authenticate/plain-text user-string passwd-string communicator) -> void
-
- Takes a username and password string and, if successful, changes the
- communicator's state to transaction.
-
-> (get-mailbox-status communicator) -> two values: count-number octet-number
-
- Returns the number of messages and the number of octets.
-
-> (get-message/complete communicator message-number) -> two lists of strings
-
- Given a message number, returns a list of headers and list of
- strings for the body.
-
-> (get-message/headers communicator message-number) -> list of strings
-
- Given a message number, returns the list of headers.
-
-> (get-message/body communicator message-number) -> list of strings
-
- Given a message number, returns the list of strings for the body.
-
-> (delete-message communicator message-number) -> void
-
- Deletes the specified message.
-
-> (get-unique-id/single communicator message-number) -> string
-
- Gets the server's unique id for a particular message.
-
-> (get-unique-id/all communicator) -> list of (cons message-number id-string)
-
- Gets a list of unique id's from the server for all the messages in
- the mailbox.
-
-> (make-desired-header tag-string) -> desired
-
- Takes the header's tag and returns a desired regexp for that header.
-
-> (extract-desired-headers list-of-strings list-of-desireds) -> list of strings
-
- Given a list of headers and of desired's, returns the header lines
- that match any of the desired's.
-
-EXAMPLE --------------------------------------------------------------
-
- > (require-library "pop3.ss" "net")
- > (define c (pop3:connect-to-server "cs.rice.edu"))
- > (pop3:authenticate/plain-text "scheme" "********" c)
- > (pop3:get-mailbox-status c)
- 196
- 816400
- > (pop3:get-message/headers c 100)
- ("Date: Thu, 6 Nov 1997 12:34:18 -0600 (CST)"
- "Message-Id: <199711061834.MAA11961@new-world.cs.rice.edu>"
- "From: Shriram Krishnamurthi "
- ...
- "Status: RO")
- > (pop3:get-message/complete c 100)
- ("Date: Thu, 6 Nov 1997 12:34:18 -0600 (CST)"
- "Message-Id: <199711061834.MAA11961@new-world.cs.rice.edu>"
- "From: Shriram Krishnamurthi "
- ...
- "Status: RO")
- ("some body" "text" "goes" "." "here" "." "")
- > (pop3:get-unique-id/single c 205)
- no message numbered 205 available for unique id
- > (list-tail (pop3:get-unique-id/all c) 194)
- ((195 . "e24d13c7ef050000") (196 . "3ad2767070050000"))
- > (pop3:get-unique-id/single c 196)
- "3ad2767070050000"
- > (pop3:disconnect-from-server c)
-
-==========================================================================
-_IMAP_, _reading mail_
-==========================================================================
-
-Collection: net
-Files: _imap.ss_, _imapr.ss_, _imaps.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-Implements portions of client-side RFC 2060, Internet Message Access
-Protocol - Version 4rev1, Crispin, http://www.isi.edu/in-notes/rfc2060.txt
-
-TYPES ----------------------------------------------------------------
-
-> imap
-
- An opaque record reprsenting an IMAP connection.
-
-> imap-flag
-
- A symbol, but generally not a convenient one to use within a Scheme
- program. The `imap-flag->symbol' and `symbol->imap-flag' procedures
- convert IMAP flags to convenient symbols and vice-versa.
-
-EXCEPTIONS -----------------------------------------------------------
-
- Communication errors are signalled via exn:user structure instances.
-
-PROCEDURES -----------------------------------------------------------
-
-> (imap-connect server-string username-string password-string mailbox-string)
- -> three values: imap, message count, recent message count
-
- Establishes an IMAP connection to the given server using the given
- username and password, and selects the specified mailbox. The second
- and third return values indicate the total number of message in the
- mailbox and the number of recent messages (i.e., messages received
- since the mailbox was last selected), respectively.
-
- See also `imap-port-number', below.
-
- A user's primary mailbox is always called "INBOX".
-
-> (imap-disconnect imap) -> void
-
- Closes an IMAP connection. The close may fail due to a communication
- error.
-
-> (imap-force-disconnect imap) -> void
-
- Closes an IMAP connection forcefully (i.e., without send a close
- message to the server). A forced disconnect never fails.
-
-> (imap-reselect imap mailbox-string)
- -> two values: message count and recent message count
-
- De-selects the mailbox currently selected by the connection and
- selects the specified mailbox, returning the total and recent
- message counts for the new mailbox.
-
- This procedure is useful for polling a mailbox to see whether there
- are any new messages (by providing the currently selected mailbox as
- the new mailbox), but use imap-status with the 'uidnext flag to
- determine whether a mailbox has changed at all (e.g., via a copy
- instead of a move).
-
-> (imap-status imap mailbox-string status-symbol-list)
- -> list of status values
-
- Requests information about a mailbox from the server. The
- status-symbol-list specifies the request, and the return value
- includes one value for each symbol in status-symbol-list. The
- allowed status symbols are:
- 'messages - number of messages
- 'recent - number of recent messages
- 'unseen - number of unseen messages
- 'uidnext - uid for next received message
- 'uidvalidity - id that changes when all uids are changed
-
-> (imap-get-messages imap msg-num-list field-list)
- -> list of field-value lists
-
- Downloads information for a set of messages. The `msg-num-list'
- argument specifies a set of messages by their message positions (not
- their uids). The `field-list' argument specifies the type of
- information to download for each message. The avilable fields are:
-
- * 'uid - value is an integer
- * 'header - value is a header (string; see the head package)
- * 'body - value is a string (with CRLF-separated lines)
- * 'flags - value is a list of imap flags
-
- The return value is a list of entry items in parallel to
- `msg-num-list'. Each entry is itself a list containing value items
- in parallel to `field-list'.
-
- Example:
- (imap-get-message imap '(1 3 5) '(uid header))
- ; => ((107 "From: larry@stooges.com ...")
- (110 "From: moe@stooges.com ...")
- (112 "From: curly@stooges.com ..."))
-
-> (imap-flag->symbol imap-flag) -> symbol
-> (symbol->imap-flag symbol) -> imap-flag
-
- An imap flag is a symbol, but it is generally not a convenient one
- to use within a Scheme program, because it usually starts with a
- backslash and flag comparisions are case-insensitive. The
- `imap-flag->symbol' and `symbol->imap-flag' procedures convert IMAP
- flags to convenient symbols and vice-versa:
-
- symbol imap flag
- ------ ----------
- 'seen '|\Seen| \
- 'answered '|\Answered| |
- 'flagged '|\Flagged| > message flags
- 'deleted '|\Deleted| |
- 'draft '|\Draft| |
- 'recent '|\Recent| /
-
- 'noinferiors '|\Noinferiors| \
- 'noselect '|\Noselect| > mailbox flags
- 'marked '|\Marked| |
- 'unmarked '|\Unmarked| /
-
- `imap-flag->symbol' and `symbol->imap-flag' act like the identity
- function when any other symbol/flag is provided.
-
-> (imap-store imap mode msg-num-list imap-flags) -> void
-
- Sets flags for a set of messages. The mode argument specifies how
- flags are set:
-
- * '+ - add the given flags to each message
- * '- - remove the given flags from each emssage
- * '! - set each message's flags to the given set
-
- The `msg-num-list' argument specifies a set of messages by their
- message positions (not their uids). The `flags' argument specifies
- the imap flags to add/remove/install.
-
- Example:
- (imap-store imap '+ '(1 2 3) (list (symbol->imap-flag 'deleted)))
- ; marks the first three messages to be deleted
- (imap-expunge imap)
- ; permanently removes the first three messages (and possibly others)
- ; from the currently-selected mailbox
-
-> (imap-expunge imap) -> void
-
- Purges every message currently marked with the '|\Deleted| flag from
- the mailbox.
-
-> (imap-copy imap msg-num-list dest-mailbox-string) -> void
-
- Copies the specified messages from the currently selected mailbox to
- the specified mailbox.
-
-> (imap-mailbox-exists? imap mailbox-string) -> bool
-
- Returns #t if the specified mailbox exists, #f otherwise.
-
-> (imap-create-mailbox imap mailbox-string) -> void
-
- Creates the specified mailbox. (It must not exist already.)
-
-> (imap-list-child-mailboxes imap mailbox-string [delimiter-string])
- -> list of mailbox-info lists
-
- Returns information about sub-mailboxes of the given mailbox. If
- mailbox-string is #f, information about all top-level mailboxes is
- returned. The optional `delimiter-string' is determined
- automatically (via `imap-get-hierarchy-delimiter') if it is not
- provided.
-
- The return value is a list of mailbox-information lists. Each
- mailbox-information list contains two items:
- * a list of imap flags for the mailbox
- * the mailbox's name
-
-> (imap-get-hierarchy-delimiter imap) -> string
-
- Returns the server-specific string that is used as a separator in
- mailbox path names.
-
-> (imap-port-number [k])
-
- A parameter that determines the server port number. The initial
- value is 143.
-
-==========================================================================
-_mail headers_
-==========================================================================
-
-Collection: net
-Files: _head.ss_, _headr.ss_, _heads.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-Implements utlities for RFC 822 headers and mail addresses.
-
-TYPES ----------------------------------------------------------------
-
-> header
-
- A string that is an RFC-882-compliant header. A header string
- contains a series of CRLF-delimitted fields, and ends with two CRLFs
- (the first one terminates the last field, and the second terminates
- the header).
-
-PROCEDURES -----------------------------------------------------------
-
-> empty-header
-
- A string correcponding to the empty header, useful for building up
- headers with `insert-field' and `append-headers'.
-
-> (validate-header candidate-header-string) -> void
-
- If the format of `candidate-header-string' matches RFC 822, void is
- returned, otherwise an exception is raised.
-
-> (extract-field field-string header) -> string or #f
-
- Returns the header content for the specified field, or #f if the
- field is not in the header. `field-string' should not end with ":",
- and it is used case-insensitively. The returned string will not
- contain the field name, color separator, of CRLF terminator for the
- field; however, if the field spans multiple lines, the CRLFs
- separating the lines will be intact.
-
- Example:
- (extract-field "TO" (insert-field "to" "me@localhost" empty-header))
- ; => "me@localhost"
-
-> (remove-field field-string header) -> header
-
- Creates a new header by removing the specified field from `header'
- (or the first instance of the field, if it occurs multiple
- times). If the field is not in `header', then the return value is
- `header'.
-
-> (insert-field field-string value-string header) -> header
-
- Creates a new header by prefixing the given header with the given
- field-value pair. `value-string' should not contain a terminating
- CRLF, but a multi-line value (perhaps created with
- `data-lines->data') may contain seperator CRLFs.
-
-> (append-headers a-header another-header) -> header
-
-> (standard-message-header from-string to-list-of-strings cc-list-of-strings bcc-list-of-strings subject-string) -> header
-
- Creates a standard mail header given the sender, various lists of
- recipients, and a subject. (The BCC recipients do not acually appear
- in the header, but they're accepted anyway to complete the
- abstarction.)
-
-> (data-lines->data list-of-strings) -> string
-
- Merges multiple lines for a single field value into one string,
- adding CRLF-TAB separators.
-
-> (extract-addresses string kind) -> list of strings or
- list of list of strings
-
- Parses `string' as a list of comma-delimited mail addresses, raising
- an exception if the list is ill-formed. This procedure can be used
- for single-address strings, in which case the returned list should
- contain only one address.
-
- The `kind' argument specifies which portion of an address should be
- returned:
-
- * 'name - the free-form name in the address, or the address
- itself if no name is available:
- "John Doe " => "Jon Doe"
- "doe@localhost (Johnny Doe)" => "Johnny Doe"
- "doe@localhost" => "doe@localhost"
-
- * 'address - just the mailing address, without any free-form
- names:
- "Jon Doe " => "doe@localhost"
- "doe@localhost (Johnny Doe)" => "doe@localhost"
- "doe@localhost" => "doe@localhost"
-
- * 'full - the full address, essentially as it appears in the
- input, but normalized:
- "Jon Doe < doe@localhost >" => "Jon Doe "
- " doe@localhost (Johnny Doe)" => "doe@localhost (Johnny Doe)"
- "doe@localhost" => "doe@localhost"
-
- * 'all - a list containing each of the three posibilities:
- free-form name, address, and full address (in that
- order)
-
- Example:
- (extract-addresses " \"Doe, John\" , john" 'address)
- ; => ("doe@localhost" "john")
-
-> (assemble-address-field list-of-address-strings) -> string
-
- Creates a header field value from a list of addresses. The addresses
- are comma-separated, and possibly broken into multiple lines.
-
-==========================================================================
-_DNS_, _domain name service_
-==========================================================================
-
-Collection: net
-Files: _dns.ss_, _dnsr.ss_, _dnss.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-Implements a DNS client, based on RFC 1035
-
-PROCEDURES -----------------------------------------------------------
-
-> (dns-get-address nameserver-string address-string) -> address-string
-
- Consults the specified nameserver (normally a numerical address like
- "128.42.1.30") to obtain a numerical address for the given internet
- address.
-
- The query record sent to the DNS server includes the "recursive"
- bit, but `dns-get-address' also implements a recursive search itself
- in case the server does not provide this optional feature.
-
-> (dns-get-mail-exchanger nameserver-string address-string) -> address-string
-
- Consults the specified nameserver to obtain the address for a mail
- exchanger the given mail host address. For example, the mail
- exchanger for "ollie.cs.rice.edu" is currently "cs.rice.edu".
-
-> (dns-find-nameserver) -> address-string or #f
-
- Attempts to find the address of a nameserver on the present system.
- Under Unix, this procedure parses /etc/resolv.conf to extract the
- first nameserver address.
-
-==========================================================================
-_Base 64 Encoding_, _base64_
-==========================================================================
-
-Collection: net
-Files: _base64.ss_, _base64r.ss_, _base64s.ss_
-
-ABSTRACT -------------------------------------------------------------
-
-Implements a Base 64 (mime-standard) encoder. (We'll implement a
-decoder eventually.)
-
-PROCEDURES -----------------------------------------------------------
-
-> (base64-encode string) -> string
-
- Consumes a string and returns its base64 encoding as a new string.
- The returned string is broken into 72-character lines separated by
- CRLF combinations, and it always ends with the "=" base64
- terminator.
diff --git a/collects/net/head.ss b/collects/net/head.ss
deleted file mode 100644
index e9c8b16e..00000000
--- a/collects/net/head.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-
-(require-relative-library "heads.ss")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:head^
- (require-relative-library "headr.ss"))
diff --git a/collects/net/headr.ss b/collects/net/headr.ss
deleted file mode 100644
index 37ad57de..00000000
--- a/collects/net/headr.ss
+++ /dev/null
@@ -1,243 +0,0 @@
-
-(unit/sig mzlib:head^
- (import)
-
- (define empty-header (string #\return #\newline))
-
- (define (string->ci-regexp s)
- (list->string
- (apply
- append
- (map
- (lambda (c)
- (cond
- [(memq c '(#\$ #\| #\\ #\[ #\] #\. #\* #\? #\+ #\( #\) #\^))
- (list #\\ c)]
- [(char-alphabetic? c)
- (list #\[ (char-upcase c) (char-downcase c) #\])]
- [else (list c)]))
- (string->list s)))))
-
- (define re:field-start (regexp
- (format "^[^~a~a~a~a~a:~a-~a]*:"
- #\space #\tab #\linefeed #\return #\vtab
- (integer->char 1)
- (integer->char 26))))
- (define re:continue (regexp (format "^[~a~a~a]" #\space #\tab #\vtab)))
-
- (define (validate-header s)
- (let ([len (string-length s)])
- (let loop ([offset 0])
- (cond
- [(and (= (+ offset 2) len)
- (string=? empty-header (substring s offset len)))
- (void)] ; validated
- [(= offset len) (error 'validate-header "missing ending CRLF")]
- [(or (regexp-match re:field-start s offset)
- (regexp-match re:continue s offset))
- (let ([m (regexp-match-positions (string #\return #\linefeed) s offset)])
- (if m
- (loop (cdar m))
- (error 'validate-header "missing ending CRLF")))]
- [else (error 'validate-header "ill-formed header at ~s"
- (substring s offset (string-length s)))]))))
-
- (define (make-field-start-regexp field)
- (format "(^|[~a][~a])(~a: *)"
- #\return #\linefeed
- (string->ci-regexp field)))
-
- (define (extract-field field header)
- (let ([m (regexp-match-positions
- (make-field-start-regexp field)
- header)])
- (and m
- (let ([s (substring header
- (cdaddr m)
- (string-length header))])
- (let ([m (regexp-match-positions
- (format "[~a][~a][^: ~a~a]*:"
- #\return #\linefeed
- #\return #\linefeed)
- s)])
- (if m
- (substring s 0 (caar m))
- ; Rest of header is this field, but strip trailing CRLFCRLF:
- (regexp-replace (format "~a~a~a~a$" #\return #\linefeed #\return #\linefeed)
- s
- "")))))))
-
- (define (remove-field field header)
- (let ([m (regexp-match-positions
- (make-field-start-regexp field)
- header)])
- (if m
- (let ([pre (substring header
- 0
- (caaddr m))]
- [s (substring header
- (cdaddr m)
- (string-length header))])
- (let ([m (regexp-match-positions
- (format "[~a][~a][^: ~a~a]*:"
- #\return #\linefeed
- #\return #\linefeed)
- s)])
- (if m
- (string-append pre (substring s (+ 2 (caar m))
- (string-length s)))
- pre)))
- header)))
-
- (define (insert-field field data header)
- (let ([field (format "~a: ~a~a~a"
- field
- data
- #\return #\linefeed)])
- (string-append field header)))
-
- (define (append-headers a b)
- (let ([alen (string-length a)])
- (if (> alen 1)
- (string-append (substring a 0 (- alen 2)) b)
- (error 'append-headers "first argument is not a header: ~a" a))))
-
- (define (standard-message-header from tos ccs bccs subject)
- (let ([h (insert-field
- "Subject" subject
- empty-header)])
- ; NOTE: bccs don't go into the header; that's why
- ; they're "blind"
- (let ([h (if (null? ccs)
- h
- (insert-field
- "CC" (assemble-address-field ccs)
- h))])
- (let ([h (if (null? tos)
- h
- (insert-field
- "To" (assemble-address-field tos)
- h))])
- (insert-field
- "From" from
- h)))))
-
- (define (splice l sep)
- (if (null? l)
- ""
- (format "~a~a"
- (car l)
- (apply
- string-append
- (map
- (lambda (n) (format "~a~a" sep n))
- (cdr l))))))
-
- (define (data-lines->data datas)
- (splice datas (format "~a~a~a" #\return #\linefeed #\tab)))
-
- ;;; Extracting Addresses ;;;
-
- (define blank (format "[~a~a~a~a~a]" #\space #\tab #\newline #\return #\vtab))
- (define re:all-blank (regexp (format "^~a*$" blank)))
-
- (define (extract-addresses s form)
- (unless (memq form '(name address full all))
- (raise-type-error 'extract-addresses
- "form: 'name, 'address, 'full, or 'all"
- form))
- (if (or (not s) (regexp-match re:all-blank s))
- null
- (let loop ([prefix ""][s s])
- ; Which comes first - a quote or a comma?
- (let ([mq (regexp-match-positions "\"[^\"]*\"" s)]
- [mc (regexp-match-positions "," s)])
- (if (and mq mc (< (caar mq) (caar mc) (cdar mq)))
- ; Quote contains a comma
- (loop (string-append
- prefix
- (substring s 0 (cdar mq)))
- (substring s (cdar mq) (string-length s)))
- ; Normal comma parsing:
- (let ([m (regexp-match "([^,]*),(.*)" s)])
- (if m
- (let ([n (extract-one-name (string-append prefix (cadr m)) form)]
- [rest (extract-addresses (caddr m) form)])
- (cons n rest))
- (let ([n (extract-one-name (string-append prefix s) form)])
- (list n)))))))))
-
- (define (select-result form name addr full)
- (case form
- [(name) name]
- [(address) addr]
- [(full) full]
- [(all) (list name addr full)]))
-
- (define (one-result form s)
- (select-result form s s s))
-
- (define (extract-one-name s form)
- (cond
- [(regexp-match (format "^~a*(\"[^\"]*\")(.*)" blank) s)
- => (lambda (m)
- (let ([name (cadr m)]
- [addr (extract-angle-addr (caddr m))])
- (select-result form name addr
- (format "~a <~a>" name addr))))]
- ; ?!?!? Where does the "addr (name)" standard come from ?!?!?
- [(regexp-match (format "(.*)[(]([^)]*)[)]~a*$" blank) s)
- => (lambda (m)
- (let ([name (caddr m)]
- [addr (extract-simple-addr (cadr m))])
- (select-result form name addr
- (format "~a (~a)" addr name))))]
- [(regexp-match (format "^~a*(.*)(<.*>)~a*$" blank blank) s)
- => (lambda (m)
- (let ([name (regexp-replace (format "~a*$" blank) (cadr m) "")]
- [addr (extract-angle-addr (caddr m))])
- (select-result form name addr
- (format "~a <~a>" name addr))))]
- [(or (regexp-match "<" s) (regexp-match ">" s))
- (one-result form (extract-angle-addr s))]
- [else
- (one-result form (extract-simple-addr s))]))
-
- (define (extract-angle-addr s)
- (if (or (regexp-match "<.*<" s) (regexp-match ">.*>" s))
- (error 'extract-address "too many angle brackets: ~a" s)
- (let ([m (regexp-match (format "~a*<([^>]*)>~a*" blank blank) s)])
- (if m
- (extract-simple-addr (cadr m))
- (error 'extract-address "cannot parse address: ~a" s)))))
-
- (define (extract-simple-addr s)
- (cond
- [(regexp-match "[,\"()<>]" s)
- (error 'extract-address "cannot parse address: ~a" s)]
- [else
- ; final whitespace strip
- (regexp-replace
- (format "~a*$" blank)
- (regexp-replace (format "~a*" blank) s "")
- "")]))
-
- (define (assemble-address-field addresses)
- (if (null? addresses)
- ""
- (let loop ([addresses (cdr addresses)]
- [s (car addresses)]
- [len (string-length (car addresses))])
- (if (null? addresses)
- s
- (let* ([addr (car addresses)]
- [alen (string-length addr)])
- (if (<= 72 (+ len alen))
- (loop (cdr addresses)
- (format "~a,~a~a~a~a"
- s #\return #\linefeed
- #\tab addr)
- alen)
- (loop (cdr addresses)
- (format "~a, ~a" s addr)
- (+ len alen 2)))))))))
diff --git a/collects/net/heads.ss b/collects/net/heads.ss
deleted file mode 100644
index c6c9a2f1..00000000
--- a/collects/net/heads.ss
+++ /dev/null
@@ -1,12 +0,0 @@
-
-(define-signature mzlib:head^
- (empty-header
- validate-header
- extract-field
- remove-field
- insert-field
- append-headers
- standard-message-header
- data-lines->data
- extract-addresses
- assemble-address-field))
diff --git a/collects/net/imap.ss b/collects/net/imap.ss
deleted file mode 100644
index 844c4842..00000000
--- a/collects/net/imap.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-
-(require-relative-library "imaps.ss")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:imap^
- (require-relative-library "imapr.ss"))
diff --git a/collects/net/imapr.ss b/collects/net/imapr.ss
deleted file mode 100644
index f6f0ba64..00000000
--- a/collects/net/imapr.ss
+++ /dev/null
@@ -1,379 +0,0 @@
-
-(unit/sig mzlib:imap^
- (import)
-
- (define debug-via-stdio? #f)
-
- (define eol (if debug-via-stdio?
- 'linefeed
- 'return-linefeed))
-
- (define crlf (string #\return #\linefeed))
-
- (define (tag-eq? a b)
- (or (eq? a b)
- (and (symbol? a)
- (symbol? b)
- (string-ci=? (symbol->string a)
- (symbol->string b)))))
-
- (define field-names
- (list
- (list 'uid (string->symbol "UID"))
- (list 'header (string->symbol "RFC822.HEADER"))
- (list 'body (string->symbol "RFC822.TEXT"))
- (list 'size (string->symbol "RFC822.SIZE"))
- (list 'flags (string->symbol "FLAGS"))))
-
- (define flag-names
- (list
- (list 'seen (string->symbol "\\Seen"))
- (list 'answered (string->symbol "\\Answered"))
- (list 'flagged (string->symbol "\\Flagged"))
- (list 'deleted (string->symbol "\\Deleted"))
- (list 'draft (string->symbol "\\Draft"))
- (list 'recent (string->symbol "\\Recent"))
-
- (list 'noinferiors (string->symbol "\\Noinferiors"))
- (list 'noselect (string->symbol "\\Noselect"))
- (list 'marked (string->symbol "\\Marked"))
- (list 'unmarked (string->symbol "\\Unmarked"))))
-
- (define (imap-flag->symbol f)
- (or (ormap (lambda (a) (and (tag-eq? f (cadr a)) (car a)))
- flag-names)
- f))
-
- (define (symbol->imap-flag s)
- (let ([a (assoc s flag-names)])
- (if a
- (cadr a)
- s)))
-
- (define (log-warning . args)
- ; (apply printf args)
- (void))
- (define log log-warning)
-
- (define make-msg-id
- (let ([id 0])
- (lambda ()
- (begin0
- (format "a~a " id)
- (set! id (add1 id))))))
-
- (define (starts-with? l n)
- (and (>= (string-length l) (string-length n))
- (string=? n (substring l 0 (string-length n)))))
-
- (define (skip s n)
- (substring s
- (if (number? n) n (string-length n))
- (string-length s)))
-
- (define (splice l sep)
- (if (null? l)
- ""
- (format "~a~a"
- (car l)
- (apply
- string-append
- (map
- (lambda (n) (format "~a~a" sep n))
- (cdr l))))))
-
- (define (imap-read s r)
- (let loop ([s s]
- [r r]
- [accum null]
- [eol-k (lambda (accum) (reverse! accum))]
- [eop-k (lambda (s accum) (error 'imap-read "unxpected close parenthesis"))])
- (cond
- [(string=? "" s) (eol-k accum)]
- [(char-whitespace? (string-ref s 0))
- (loop (skip s 1) r accum eol-k eop-k)]
- [else
- (case (string-ref s 0)
- [(#\") (let ([m (regexp-match "\"([^\"]*)\"(.*)" s)])
- (if m
- (loop (caddr m) r (cons (cadr m) accum) eol-k eop-k)
- (error 'imap-read "didn't find end of quoted string in: ~a" s)))]
- [(#\)) (eop-k (skip s 1) accum)]
- [(#\() (letrec ([next-line
- (lambda (accum)
- (loop (read-line r eol) r
- accum
- next-line
- finish-parens))]
- [finish-parens
- (lambda (s laccum)
- (loop s r
- (cons (reverse! laccum) accum)
- eol-k eop-k))])
- (loop (skip s 1) r null next-line finish-parens))]
- [(#\{) (let ([m (regexp-match "{([0-9]+)}(.*)" s)])
- (cond
- [(not m) (error 'imap-read "couldn't read {} number: ~a" s)]
- [(not (string=? (caddr m) "")) (error 'imap-read "{} not at end-of-line: ~a" s)]
- [else (loop "" r
- (cons (read-string (string->number (cadr m)) r)
- accum)
- eol-k eop-k)]))]
- [else (let ([m (regexp-match "([^ (){}]+)(.*)" s)])
- (if m
- (loop (caddr m) r
- (cons (let ([v (cadr m)])
- (if (regexp-match "^[0-9]*$" v)
- (string->number v)
- (string->symbol (cadr m))))
- accum)
- eol-k eop-k)
- (error 'imap-read "failure reading atom: ~a" s)))])])))
-
- (define (imap-send r w cmd info-handler)
- (let ([id (make-msg-id)])
- (log "sending ~a~a~n" id cmd)
- (fprintf w "~a~a~a" id cmd crlf)
- (let loop ()
- (let ([l (read-line r eol)])
- ; (log "raw-reply: ~s~n" l)
- (cond
- [(starts-with? l id)
- (let ([reply (imap-read (skip l id) r)])
- (log "response: ~a~n" reply)
- reply)]
- [(starts-with? l "* ")
- (let ([info (imap-read (skip l 2) r)])
- (log "info: ~s~n" info)
- (info-handler info))
- (loop)]
- [(starts-with? l "+ ")
- (error 'imap-send "unexpected continuation request: ~a" l)]
- [else
- (log-warning "warning: unexpected response for ~a: ~a" id l)
- (loop)])))))
-
- (define (str->arg s)
- (if (or (regexp-match " " s)
- (string=? s ""))
- (format "\"~a\"" s)
- s))
-
- (define (check-ok reply)
- (unless (and (pair? reply)
- (tag-eq? (car reply) 'OK))
- (error 'check-ok "server error: ~s" reply)))
-
- (define-struct imap-connection (r w))
-
- (define imap-port-number (make-parameter 143))
-
- (define (imap-connect server username password inbox)
- ; => imap count-k recent-k
- (let-values ([(r w) (if debug-via-stdio?
- (begin
- (printf "stdin == ~a~n" server)
- (values (current-input-port) (current-output-port)))
- (tcp-connect server (imap-port-number)))])
- (with-handlers ([void
- (lambda (x)
- (close-input-port r)
- (close-output-port w)
- (raise x))])
-
- (check-ok (imap-send r w "NOOP" void))
- (let ([reply (imap-send r w (format "LOGIN ~a ~a"
- (str->arg username)
- (str->arg password))
- void)])
- (if (and (pair? reply) (tag-eq? 'NO (car reply)))
- (error "username or password rejected by server")
- (check-ok reply)))
-
- (let ([imap (make-imap-connection r w)])
- (let-values ([(init-count init-recent)
- (imap-reselect imap inbox)])
- (values imap
- init-count
- init-recent))))))
-
- (define (imap-reselect imap inbox)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (let ([init-count 0]
- [init-recent 0])
- (check-ok (imap-send r w (format "SELECT ~a" (str->arg inbox))
- (lambda (i)
- (when (and (list? i) (= 2 (length i)))
- (cond
- [(tag-eq? (cadr i) 'EXISTS)
- (set! init-count (car i))]
- [(tag-eq? (cadr i) 'RECENT)
- (set! init-recent (car i))])))))
- (values init-count init-recent))))
-
- (define (imap-status imap inbox flags)
- (unless (and (list? flags)
- (andmap (lambda (s)
- (memq s '(messages recent uidnext uidvalidity unseen)))
- flags))
- (raise-type-error 'imap-status "list of status flag symbols" flags))
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (let ([results null])
- (check-ok (imap-send r w (format "STATUS ~a ~a" (str->arg inbox) flags)
- (lambda (i)
- (when (and (list? i) (= 3 (length i))
- (tag-eq? (car i) 'STATUS))
- (set! results (caddr i))))))
- (map
- (lambda (f)
- (let loop ([l results])
- (cond
- [(or (null? l) (null? (cdr l))) #f]
- [(tag-eq? f (car l)) (cadr l)]
- [else (loop (cdr l))])))
- flags))))
-
- (define (imap-disconnect imap)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (check-ok (imap-send r w "LOGOUT" void))
- (close-input-port r)
- (close-output-port w)))
-
- (define (imap-force-disconnect imap)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (close-input-port r)
- (close-output-port w)))
-
- (define (imap-get-messages imap msgs field-list)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (when (or (not (list? msgs))
- (not (andmap integer? msgs)))
- (raise-type-error 'imap-get-messages "non-empty message list" msgs))
- (when (or (null? field-list)
- (not (list? field-list))
- (not (andmap (lambda (f) (assoc f field-names)) field-list)))
- (raise-type-error 'imap-get-messages "non-empty field list" field-list))
-
- (if (null? msgs)
- null
- (let ([results null])
- (imap-send r w (format "FETCH ~a (~a)"
- (splice msgs ",")
- (splice (map (lambda (f) (cadr (assoc f field-names))) field-list) " "))
- (lambda (i)
- (when (and (list? i) (<= 2 (length i))
- (tag-eq? (cadr i) 'FETCH))
- (set! results (cons i results)))))
- (map
- (lambda (msg)
- (let ([m (assoc msg results)])
- (unless m
- (error 'imap-get-messages "no result for message ~a" msg))
- (let ([d (caddr m)])
- (map
- (lambda (f)
- (let ([fld (cadr (assoc f field-names))])
- (let loop ([d d])
- (cond
- [(null? d) #f]
- [(null? (cdr d)) #f]
- [(tag-eq? (car d) fld) (cadr d)]
- [else (loop (cddr d))]))))
- field-list))))
- msgs)))))
-
- (define (imap-store imap mode msgs flags)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (check-ok
- (imap-send r w
- (format "STORE ~a ~a ~a"
- (splice msgs ",")
- (case mode
- [(+) "+FLAGS.SILENT"]
- [(-) "-FLAGS.SILENT"]
- [(!) "FLAGS.SILENT"]
- [else (raise-type-error
- 'imap-store
- "mode: '!, '+, or '-")])
- flags)
- void))))
-
- (define (imap-copy imap msgs dest-mailbox)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (check-ok
- (imap-send r w
- (format "COPY ~a ~a"
- (splice msgs ",")
- (str->arg dest-mailbox))
- void))))
-
- (define (imap-expunge imap)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (check-ok (imap-send r w "EXPUNGE" void))))
-
-
- (define (imap-mailbox-exists? imap mailbox)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)]
- [exists? #f])
- (check-ok (imap-send r w
- (format "LIST \"\" ~s" (str->arg mailbox))
- (lambda (i)
- (when (and (pair? i)
- (tag-eq? (car i) 'LIST))
- (set! exists? #t)))))
- exists?))
-
- (define (imap-create-mailbox imap mailbox)
- (let ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)])
- (check-ok
- (imap-send r w
- (format "CREATE ~a" (str->arg mailbox))
- void))))
-
- (define (imap-get-hierarchy-delimiter imap)
- (let* ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)]
- [result #f])
- (check-ok
- (imap-send r w "LIST \"\" \"\""
- (lambda (x)
- (set! result (caddr x)))))
- result))
-
- (define imap-list-child-mailboxes
- (case-lambda
- [(imap mailbox)
- (imap-list-child-mailboxes imap mailbox (imap-get-hierarchy-delimiter imap))]
- [(imap mailbox delimiter)
- (let* ([r (imap-connection-r imap)]
- [w (imap-connection-w imap)]
- [mailbox-name (and mailbox (format "~a~a" mailbox delimiter))]
- [pattern (if mailbox
- (format "~a%" mailbox-name)
- "%")]
- [sub-folders null])
- (check-ok
- (imap-send r w (format "LIST \"\" ~a" (str->arg pattern))
- (lambda (x)
- (let ([flags (cadr x)]
- [name (let ([s (cadddr x)])
- (if (symbol? s)
- (symbol->string s)
- s))])
- (unless (and mailbox-name
- (string=? name mailbox-name))
- (set! sub-folders
- (cons
- (list flags name)
- sub-folders)))))))
- (reverse sub-folders))])))
diff --git a/collects/net/imaps.ss b/collects/net/imaps.ss
deleted file mode 100644
index 0a802eb4..00000000
--- a/collects/net/imaps.ss
+++ /dev/null
@@ -1,20 +0,0 @@
-
-(define-signature mzlib:imap^
- (imap-port-number
-
- imap-connect
- imap-disconnect
- imap-force-disconnect
- imap-reselect
- imap-status
-
- imap-get-messages
- imap-copy
- imap-store imap-flag->symbol symbol->imap-flag
- imap-expunge
-
- imap-mailbox-exists?
- imap-create-mailbox
-
- imap-list-child-mailboxes
- imap-get-hierarchy-delimiter))
diff --git a/collects/net/info.ss b/collects/net/info.ss
deleted file mode 100644
index a70d15c9..00000000
--- a/collects/net/info.ss
+++ /dev/null
@@ -1,9 +0,0 @@
-(lambda (sym fail)
- (let ([elab (list "cgis.ss" "mails.ss" "nntps.ss" "pop3s.ss" "urls.ss"
- "smtps.ss" "heads.ss" "imaps.ss" "dnss.ss" "base64s.ss")])
- (case sym
- [(name) "Net"]
- [(compile-prefix) `(begin ,@(map (lambda (x) `(require-library ,x "net")) elab))]
- [(compile-omit-files) elab]
- [(compile-elaboration-zos) elab]
- [else (fail)])))
\ No newline at end of file
diff --git a/collects/net/mail.ss b/collects/net/mail.ss
deleted file mode 100644
index 3e231e73..00000000
--- a/collects/net/mail.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-(require-library "mails.ss" "net")
-(require-library "mailu.ss" "net")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:sendmail^
- mzlib:sendmail@)
diff --git a/collects/net/mailr.ss b/collects/net/mailr.ss
deleted file mode 100644
index 5be07bad..00000000
--- a/collects/net/mailr.ss
+++ /dev/null
@@ -1,105 +0,0 @@
-(unit/sig mzlib:sendmail^
- (import)
-
- (define-struct (no-mail-recipients struct:exn) ())
-
- (define sendmail-search-path
- '("/usr/lib" "/usr/sbin"))
-
- (define sendmail-program-file
- (if (eq? (system-type) 'unix)
- (let loop ((paths sendmail-search-path))
- (if (null? paths)
- (raise (make-exn:misc:unsupported
- "unable to find sendmail on this Unix variant"
- (current-continuation-marks)))
- (let ((p (build-path (car paths) "sendmail")))
- (if (and (file-exists? p)
- (memq 'execute (file-or-directory-permissions p)))
- p
- (loop (cdr paths))))))
- (raise (make-exn:misc:unsupported
- "sendmail only available under Unix"
- (current-continuation-marks)))))
-
- ;; send-mail-message/port :
- ;; string x string x list (string) x list (string) x list (string)
- ;; [x list (string)] -> oport
-
- ;; -- sender can be anything, though spoofing is not recommended.
- ;; The recipients must all be pure email addresses. Note that
- ;; everything is expected to follow RFC conventions. If any other
- ;; headers are specified, they are expected to be completely
- ;; formatted already. Clients are urged to use close-output-port on
- ;; the port returned by this procedure as soon as the necessary text
- ;; has been written, so that the sendmail process can complete.
-
- (define send-mail-message/port
- (lambda (sender subject to-recipients cc-recipients bcc-recipients
- . other-headers)
- (when (and (null? to-recipients) (null? cc-recipients)
- (null? bcc-recipients))
- (raise (make-no-mail-recipients
- "no mail recipients were specified"
- (current-continuation-marks))))
- (let ((return (apply process* sendmail-program-file "-i"
- (append to-recipients cc-recipients bcc-recipients))))
- (let ((reader (car return))
- (writer (cadr return))
- (pid (caddr return))
- (error-reader (cadddr return)))
- (close-input-port reader)
- (close-input-port error-reader)
- (fprintf writer "From: ~a~n" sender)
- (letrec ((write-recipient-header
- (lambda (header-string recipients)
- (let ((header-space
- (+ (string-length header-string) 2)))
- (fprintf writer "~a: " header-string)
- (let loop ((to recipients) (indent header-space))
- (if (null? to)
- (newline writer)
- (let ((first (car to)))
- (let ((len (string-length first)))
- (if (>= (+ len indent) 80)
- (begin
- (fprintf writer "~n ~a, " first)
- (loop (cdr to) (+ len header-space 2)))
- (begin
- (fprintf writer "~a, " first)
- (loop (cdr to)
- (+ len indent 2))))))))))))
- (write-recipient-header "To" to-recipients)
- (write-recipient-header "CC" cc-recipients))
- (fprintf writer "Subject: ~a~n" subject)
- (fprintf writer "X-Mailer: MzScheme: see www.cs.rice.edu/CS/PLT/~n")
- (for-each (lambda (s)
- (display s writer)
- (newline writer))
- other-headers)
- (newline writer)
- writer))))
-
- ;; send-mail-message :
- ;; string x string x list (string) x list (string) x list (string) x
- ;; list (string) [x list (string)] -> ()
-
- ;; -- sender can be anything, though spoofing is not recommended. The
- ;; recipients must all be pure email addresses. The text is expected
- ;; to be pre-formatted. Note that everything is expected to follow
- ;; RFC conventions. If any other headers are specified, they are
- ;; expected to be completely formatted already.
-
- (define send-mail-message
- (lambda (sender subject to-recipients cc-recipients bcc-recipients text
- . other-headers)
- (let ((writer (apply send-mail-message/port sender subject
- to-recipients cc-recipients bcc-recipients
- other-headers)))
- (for-each (lambda (s)
- (display s writer) ; We use -i, so "." is not a problem
- (newline writer))
- text)
- (close-output-port writer))))
-
- )
diff --git a/collects/net/mails.ss b/collects/net/mails.ss
deleted file mode 100644
index 56c18572..00000000
--- a/collects/net/mails.ss
+++ /dev/null
@@ -1,4 +0,0 @@
-(define-signature mzlib:sendmail^
- (send-mail-message/port
- send-mail-message
- (struct no-mail-recipients ())))
diff --git a/collects/net/mailu.ss b/collects/net/mailu.ss
deleted file mode 100644
index 0b010537..00000000
--- a/collects/net/mailu.ss
+++ /dev/null
@@ -1,4 +0,0 @@
-(require-library "mails.ss" "net")
-
-(define mzlib:sendmail@
- (require-library-unit/sig "mailr.ss" "net"))
diff --git a/collects/net/nntp.sd b/collects/net/nntp.sd
deleted file mode 100644
index d00a462b..00000000
--- a/collects/net/nntp.sd
+++ /dev/null
@@ -1,128 +0,0 @@
-(define nntp-doc
- (mk-document {nntp}
- {The PLT NNTP Toolkit}
-
- {[(paragraph {The NNTP toolkit implements routines which form the
- basis for a client that can converse with an NNTP (Usenet
- News) server. The toolkit defines both procedures to
- interface with the server, and exceptions which indicate
- erroneous behavior.})]
-
- [(paragraph
- {The toolkit is parameterized over [(italic
- {communicator})]s, which are structures representing a
- connection to a particular server. Several communicators can
- be open at any given time. A communicator has four fields:
-
- [(mk-itemize
- (list
- {[(italic {sender})], an output port which sends
- commands to the the server;
- }
- {[(italic {receiver})], an input port for receiving
- responses from the server;
- }
- {[(italic {server})], a string containing the name of
- the server, which is useful for error messages and
- identification; and,
- }
- {[(italic {port})], a number denoting the port number
- on the server to which this connection was
- established.
- }))]})]
-
- [(paragraph {The following procedures are defined:})]
-
- [(mk-itemize
- (list
- {[(bold {connect-to-server})] accepts a string, the server's
- name, and optionally the port number. If no port number
- is provided, the default NNTP port (119) is used. A
- communicator is returned.}
- {[(bold {disconnect-from-server})] takes a communicator and
- closes its connections.}
- {[(bold {open-news-group})] accepts a communicator and a
- string, representing the group's name, and makes it the
- current group. Three values are returned: the number of
- articles the server has for the group, the first
- available article number, and the last article number.}
- {[(bold {head-of-message})] takes a communicator and a
- message number, and returns the message's headers as a
- list of strings.}
- {[(bold {body-of-message})] takes a communicator and a
- message number, and returns the message's body as a list
- of strings.}
- {[(bold {make-desired-header})] takes a string representing a
- header, and returns a regular expression which can be
- matched against header lines. The string should be given
- sans a trailing colon; regular expressions may be used
- within the string.}
- {[(bold {extract-desired-headers})] accepts a list of strings
- representing the header and a list of regular expressions
- representing desired headers, and returns a list of
- strings denoting the desired headers.}))]
-
- [(paragraph {This library only interfaces using the NNTP
- protocol; it does not attempt to improve it by providing an
- alternative, perhaps more functional, formulation. Hence, it
- generates the same errors as those returned by NNTP servers.
- These errors are expressed as Scheme exceptions. They are
- all sub-types of the exception [(bold {nntp})] (which has
- no fields).})]
-
- [(itemize
- {[(bold {unexpected-response})] has two fields: [(italic
- {code})], a number and [(italic {text})], a string containing
- the error message returned by the server. This is raised
- when the return code is not recognized by the toolkit.}
-
- {[(bold {premature-close})] is raised when the server
- generates an end-of-file in the midst of a multi-line
- response (such as the message header or body). The exception
- has a [(italic {communicator})] field.}
-
- {[(bold {non-existent-group})] is raised when the group being
- opened is not recognized by the server. Note that not all
- servers carry all groups.}
-
- {[(bold {article-not-in-group})] is raised when an attempt is
- made to get the header or body of a group outside the range
- for the group or which has expired or been cancelled. The
- [(italic {article})] field holds the article number.}
-
- {[(bold {article-not-found})] is raised in other situations
- when an article cannot be found. The article number is given
- in the [(italic {article})] field.}
-
- {[(bold {no-group-selected})] is raised when an attempt is
- made to get the header or body of an article before any group
- has been selected.}
-
- {[(bold {bad-newsgroup-line})] is raised when the server is
- not following the RFC specification acknowledging that a
- newsgroup has been set. It holds the line in the [(italic
- {line})] field.}
-
- {[(bold {bad-status-line})] has one field: [(italic {line})],
- a string. This is only flagged when the server does not
- follow the RFC specification.})]
-
- [(paragraph {There are at least two routes to take when
- improving the library's design. One possibility is to
- provide a construct, similar to Scheme's i/o functions, in
- whose dynamic range groups are selected, and inside which all
- article reading is done. Another approach is to require all
- article accesses to also specify a group. The current group
- state would be maintained by the implementation, which can
- optimize away the need to make the current group setting for
- each article read. It can also anticipate certain errors.
- The state would be cached with each communicator.})]
-
- [(paragraph {This implementation currently provides no posting
- conveniences, though since the output port to the server is
- available, the user could implement this. However, that same
- argument can be made for the rest of the toolkit as well.})]
-
- }))
-
-(render-html nntp-doc)
diff --git a/collects/net/nntp.ss b/collects/net/nntp.ss
deleted file mode 100644
index 0050f26a..00000000
--- a/collects/net/nntp.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-(require-library "nntpu.ss" "net")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:nntp^
- mzlib:nntp@
- nntp)
diff --git a/collects/net/nntpr.ss b/collects/net/nntpr.ss
deleted file mode 100644
index 5787d75f..00000000
--- a/collects/net/nntpr.ss
+++ /dev/null
@@ -1,281 +0,0 @@
-; Time-stamp: <98/07/14 14:41:20 shriram>
-; Time-stamp: <97/03/05 15:34:09 shriram>
-
-(unit/sig mzlib:nntp^
- (import)
-
- ; sender : oport
- ; receiver : iport
- ; server : string
- ; port : number
-
- (define-struct communicator (sender receiver server port))
-
- ; code : number
- ; text : string
- ; line : string
- ; communicator : communicator
- ; group : string
- ; article : number
-
- (define-struct (nntp struct:exn) ())
- (define-struct (unexpected-response struct:nntp) (code text))
- (define-struct (bad-status-line struct:nntp) (line))
- (define-struct (premature-close struct:nntp) (communicator))
- (define-struct (bad-newsgroup-line struct:nntp) (line))
- (define-struct (non-existent-group struct:nntp) (group))
- (define-struct (article-not-in-group struct:nntp) (article))
- (define-struct (no-group-selected struct:nntp) ())
- (define-struct (article-not-found struct:nntp) (article))
-
- ; signal-error :
- ; (exn-args ... -> exn) x format-string x values ... ->
- ; exn-args -> ()
-
- ; - throws an exception
-
- (define signal-error
- (lambda (constructor format-string . args)
- (lambda exn-args
- (raise (apply constructor
- (apply format format-string args)
- (current-continuation-marks)
- exn-args)))))
-
- ; default-nntpd-port-number :
- ; number
-
- (define default-nntpd-port-number 119)
-
- ; connect-to-server :
- ; string [x number] -> commnicator
-
- (define connect-to-server
- (opt-lambda (server-name (port-number default-nntpd-port-number))
- (let-values (((receiver sender)
- (tcp-connect server-name port-number)))
- (let ((communicator
- (make-communicator sender receiver server-name port-number)))
- (let-values (((code response)
- (get-single-line-response communicator)))
- (case code
- ((200)
- communicator)
- (else
- ((signal-error make-unexpected-response
- "unexpected connection response: ~s ~s"
- code response)
- code response))))))))
-
- ; close-communicator :
- ; communicator -> ()
-
- (define close-communicator
- (lambda (communicator)
- (close-input-port (communicator-receiver communicator))
- (close-output-port (communicator-sender communicator))))
-
- ; disconnect-from-server :
- ; communicator -> ()
-
- (define disconnect-from-server
- (lambda (communicator)
- (send-to-server communicator "QUIT")
- (let-values (((code response)
- (get-single-line-response communicator)))
- (case code
- ((205)
- (close-communicator communicator))
- (else
- ((signal-error make-unexpected-response
- "unexpected dis-connect response: ~s ~s"
- code response)
- code response))))))
-
- ; send-to-server :
- ; communicator x format-string x list (values) -> ()
-
- (define send-to-server
- (lambda (communicator message-template . rest)
- (apply fprintf (communicator-sender communicator)
- (string-append message-template "~n")
- rest)))
-
- ; parse-status-line :
- ; string -> number x string
-
- (define parse-status-line
- (let ((pattern (regexp "([0-9]+) (.*)")))
- (lambda (line)
- (let ((match (cdr (or (regexp-match pattern line)
- ((signal-error make-bad-status-line
- "malformed status line: ~s" line)
- line)))))
- (values (string->number (car match))
- (cadr match))))))
-
- ; get-one-line-from-server :
- ; iport -> string
-
- (define get-one-line-from-server
- (lambda (server->client-port)
- (read-line server->client-port 'return-linefeed)))
-
- ; get-single-line-response :
- ; communicator -> number x string
-
- (define get-single-line-response
- (lambda (communicator)
- (let ((receiver (communicator-receiver communicator)))
- (let ((status-line (get-one-line-from-server receiver)))
- (parse-status-line status-line)))))
-
- ; get-rest-of-multi-line-response :
- ; communicator -> list (string)
-
- (define get-rest-of-multi-line-response
- (lambda (communicator)
- (let ((receiver (communicator-receiver communicator)))
- (let loop ()
- (let ((l (get-one-line-from-server receiver)))
- (cond
- ((eof-object? l)
- ((signal-error make-premature-close
- "port prematurely closed during multi-line response")
- communicator))
- ((string=? l ".")
- '())
- ((string=? l "..")
- (cons "." (loop)))
- (else
- (cons l (loop)))))))))
-
- ; get-multi-line-response :
- ; communicator -> number x string x list (string)
-
- ; -- The returned values are the status code, the rest of the status
- ; response line, and the remaining lines.
-
- (define get-multi-line-response
- (lambda (communicator)
- (let ((receiver (communicator-receiver communicator)))
- (let ((status-line (get-one-line-from-server receiver)))
- (let-values (((code rest-of-line)
- (parse-status-line status-line)))
- (values code rest-of-line (get-rest-of-multi-line-response)))))))
-
- ; open-news-group :
- ; communicator x string -> number x number x number
-
- ; -- The returned values are the number of articles, the first
- ; article number, and the last article number for that group.
-
- (define open-news-group
- (let ((pattern (regexp "([0-9]+) ([0-9]+) ([0-9]+)")))
- (lambda (communicator group-name)
- (send-to-server communicator "GROUP ~a" group-name)
- (let-values (((code rest-of-line)
- (get-single-line-response communicator)))
- (case code
- ((211)
- (let ((match (map string->number
- (cdr
- (or (regexp-match pattern rest-of-line)
- ((signal-error make-bad-newsgroup-line
- "malformed newsgroup open response: ~s"
- rest-of-line)
- rest-of-line))))))
- (let ((number-of-articles (car match))
- (first-article-number (cadr match))
- (last-article-number (caddr match)))
- (values number-of-articles
- first-article-number
- last-article-number))))
- ((411)
- ((signal-error make-non-existent-group
- "group ~s does not exist on server ~s"
- group-name (communicator-server communicator))
- group-name))
- (else
- ((signal-error make-unexpected-response
- "unexpected group opening response: ~s" code)
- code rest-of-line)))))))
-
- ; head/body-of-message :
- ; string x number -> communicator x number -> list (string)
-
- (define head/body-of-message
- (lambda (command ok-code)
- (lambda (communicator message-number)
- (send-to-server communicator (string-append command " ~a")
- (number->string message-number))
- (let-values (((code response)
- (get-single-line-response communicator)))
- (if (= code ok-code)
- (get-rest-of-multi-line-response communicator)
- (case code
- ((423)
- ((signal-error make-article-not-in-group
- "article number ~s not in group" message-number)
- message-number))
- ((412)
- ((signal-error make-no-group-selected
- "no group selected")))
- ((430)
- ((signal-error make-article-not-found
- "no article number ~s found" message-number)
- message-number))
- (else
- ((signal-error make-unexpected-response
- "unexpected message access response: ~s" code)
- code response))))))))
-
- ; head-of-message :
- ; communicator x number -> list (string)
-
- (define head-of-message
- (head/body-of-message "HEAD" 221))
-
- ; body-of-message :
- ; communicator x number -> list (string)
-
- (define body-of-message
- (head/body-of-message "BODY" 222))
-
- ; make-desired-header :
- ; string -> desired
-
- (define make-desired-header
- (lambda (raw-header)
- (regexp
- (string-append
- "^"
- (list->string
- (apply append
- (map (lambda (c)
- (cond
- ((char-lower-case? c)
- (list #\[ (char-upcase c) c #\]))
- ((char-upper-case? c)
- (list #\[ c (char-downcase c) #\]))
- (else
- (list c))))
- (string->list raw-header))))
- ":"))))
-
- ; extract-desired-headers :
- ; list (string) x list (desired) -> list (string)
-
- (define extract-desired-headers
- (lambda (headers desireds)
- (let loop ((headers headers))
- (if (null? headers) null
- (let ((first (car headers))
- (rest (cdr headers)))
- (if (ormap (lambda (matcher)
- (regexp-match matcher first))
- desireds)
- (cons first (loop rest))
- (loop rest)))))))
-
- )
diff --git a/collects/net/nntps.ss b/collects/net/nntps.ss
deleted file mode 100644
index 0d8dca9d..00000000
--- a/collects/net/nntps.ss
+++ /dev/null
@@ -1,19 +0,0 @@
-(require-library "macro.ss")
-
-(define-signature mzlib:nntp^
- ((struct communicator (sender receiver server port))
- connect-to-server disconnect-from-server
- open-news-group
- head-of-message body-of-message
- make-desired-header extract-desired-headers
-
- (struct nntp ())
- (struct unexpected-response (code text))
- (struct bad-status-line (line))
- (struct premature-close (communicator))
- (struct bad-newsgroup-line (line))
- (struct non-existent-group (group))
- (struct article-not-in-group (article))
- (struct no-group-selected ())
- (struct article-not-found (article))))
-
diff --git a/collects/net/nntpu.ss b/collects/net/nntpu.ss
deleted file mode 100644
index 1551b592..00000000
--- a/collects/net/nntpu.ss
+++ /dev/null
@@ -1,5 +0,0 @@
-(require-library "macro.ss")
-
-(require-library "nntps.ss" "net")
-
-(define mzlib:nntp@ (require-library-unit/sig "nntpr.ss" "net"))
diff --git a/collects/net/pop3.ss b/collects/net/pop3.ss
deleted file mode 100644
index b91822c8..00000000
--- a/collects/net/pop3.ss
+++ /dev/null
@@ -1,32 +0,0 @@
-(require-library "pop3u.ss" "net")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:pop3^
- mzlib:pop3@ pop3)
-
-#|
-
-> (require-library "pop3.ss" "net")
-> (define c (pop3:connect-to-server "cs.rice.edu"))
-> (pop3:authenticate/plain-text "scheme" "********" c)
-> (pop3:get-mailbox-status c)
-100
-177824
-> (pop3:get-message/headers c 100)
-("Date: Thu, 6 Nov 1997 12:34:18 -0600 (CST)"
- "Message-Id: <199711061834.MAA11961@new-world.cs.rice.edu>"
- "From: Shriram Krishnamurthi "
- ...
- "Status: RO")
-> (pop3:get-message/complete c 100)
-("Date: Thu, 6 Nov 1997 12:34:18 -0600 (CST)"
- "Message-Id: <199711061834.MAA11961@new-world.cs.rice.edu>"
- "From: Shriram Krishnamurthi "
- ...
- "Status: RO")
-("some body" "text" "goes" "." "here" "." "")
-> (pop3:disconnect-from-server c)
-
-|#
diff --git a/collects/net/pop3r.ss b/collects/net/pop3r.ss
deleted file mode 100644
index 381598c2..00000000
--- a/collects/net/pop3r.ss
+++ /dev/null
@@ -1,403 +0,0 @@
-; Time-stamp: <98/10/09 19:19:06 shriram>
-
-(unit/sig mzlib:pop3^
- (import)
-
- ;; Implements RFC 1939, Post Office Protocol - Version 3, Myers & Rose
-
- ;; sender : oport
- ;; receiver : iport
- ;; server : string
- ;; port : number
- ;; state : symbol = (disconnected, authorization, transaction)
-
- (define-struct communicator (sender receiver server port state))
-
- (define-struct (pop3 struct:exn) ())
- (define-struct (cannot-connect struct:pop3) ())
- (define-struct (username-rejected struct:pop3) ())
- (define-struct (password-rejected struct:pop3) ())
- (define-struct (not-ready-for-transaction struct:pop3) (communicator))
- (define-struct (not-given-headers struct:pop3) (communicator message))
- (define-struct (illegal-message-number struct:pop3) (communicator message))
- (define-struct (cannot-delete-message struct:exn) (communicator message))
- (define-struct (disconnect-not-quiet struct:pop3) (communicator))
- (define-struct (malformed-server-response struct:pop3) (communicator))
-
- ;; signal-error :
- ;; (exn-args ... -> exn) x format-string x values ... ->
- ;; exn-args -> ()
-
- (define signal-error
- (lambda (constructor format-string . args)
- (lambda exn-args
- (raise (apply constructor
- (apply format format-string args)
- (current-continuation-marks)
- exn-args)))))
-
- ;; signal-malformed-response-error :
- ;; exn-args -> ()
-
- ;; -- in practice, it takes only one argument: a communicator.
-
- (define signal-malformed-response-error
- (signal-error make-malformed-server-response
- "malformed response from server"))
-
- ;; confirm-transaction-mode :
- ;; communicator x string -> ()
-
- ;; -- signals an error otherwise.
-
- (define confirm-transaction-mode
- (lambda (communicator error-message)
- (unless (eq? (communicator-state communicator) 'transaction)
- ((signal-error make-not-ready-for-transaction error-message)
- communicator))))
-
- ;; default-pop-port-number :
- ;; number
-
- (define default-pop-port-number 110)
-
- (define-struct server-responses ())
- (define-struct (+ok struct:server-responses) ())
- (define-struct (-err struct:server-responses) ())
-
- (define +ok (make-+ok))
- (define -err (make--err))
-
- ;; connect-to-server :
- ;; string [x number] -> communicator
-
- (define connect-to-server
- (opt-lambda (server-name (port-number default-pop-port-number))
- (let-values (((receiver sender)
- (tcp-connect server-name port-number)))
- (let ((communicator
- (make-communicator sender receiver server-name port-number
- 'authorization)))
- (let ((response (get-status-response/basic communicator)))
- (cond
- ((+ok? response) communicator)
- ((-err? response)
- ((signal-error make-cannot-connect
- "cannot connect to ~a on port ~a"
- server-name port-number)))))))))
-
- ;; authenticate/plain-text :
- ;; string x string x communicator -> ()
-
- ;; -- if authentication succeeds, sets the communicator's state to
- ;; transaction.
-
- (define authenticate/plain-text
- (lambda (username password communicator)
- (let ((sender (communicator-sender communicator)))
- (send-to-server communicator "USER ~a" username)
- (let ((status (get-status-response/basic communicator)))
- (cond
- ((+ok? status)
- (send-to-server communicator "PASS ~a" password)
- (let ((status (get-status-response/basic communicator)))
- (cond
- ((+ok? status)
- (set-communicator-state! communicator 'transaction))
- ((-err? status)
- ((signal-error make-password-rejected
- "password was rejected"))))))
- ((-err? status)
- ((signal-error make-username-rejected
- "username was rejected"))))))))
-
- ;; get-mailbox-status :
- ;; communicator -> number x number
-
- ;; -- returns number of messages and number of octets.
-
- (define get-mailbox-status
- (let ((stat-regexp (regexp "([0-9]+) ([0-9]+)")))
- (lambda (communicator)
- (confirm-transaction-mode communicator
- "cannot get mailbox status unless in transaction mode")
- (send-to-server communicator "STAT")
- (apply values
- (map string->number
- (let-values (((status result)
- (get-status-response/match communicator
- stat-regexp #f)))
- result))))))
-
- ;; get-message/complete :
- ;; communicator x number -> list (string) x list (string)
-
- (define get-message/complete
- (lambda (communicator message)
- (confirm-transaction-mode communicator
- "cannot get message headers unless in transaction state")
- (send-to-server communicator "RETR ~a" message)
- (let ((status (get-status-response/basic communicator)))
- (cond
- ((+ok? status)
- (split-header/body (get-multi-line-response communicator)))
- ((-err? status)
- ((signal-error make-illegal-message-number
- "not given message ~a" message)
- communicator message))))))
-
- ;; get-message/headers :
- ;; communicator x number -> list (string)
-
- (define get-message/headers
- (lambda (communicator message)
- (confirm-transaction-mode communicator
- "cannot get message headers unless in transaction state")
- (send-to-server communicator "TOP ~a 0" message)
- (let ((status (get-status-response/basic communicator)))
- (cond
- ((+ok? status)
- (let-values (((headers body)
- (split-header/body
- (get-multi-line-response communicator))))
- headers))
- ((-err? status)
- ((signal-error make-not-given-headers
- "not given headers to message ~a" message)
- communicator message))))))
-
- ;; get-message/body :
- ;; communicator x number -> list (string)
-
- (define get-message/body
- (lambda (communicator message)
- (let-values (((headers body)
- (get-message/complete communicator message)))
- body)))
-
- ;; split-header/body :
- ;; list (string) -> list (string) x list (string)
-
- ;; -- returns list of headers and list of body lines.
-
- (define split-header/body
- (lambda (lines)
- (let loop ((lines lines) (header null))
- (if (null? lines)
- (values (reverse header) null)
- (let ((first (car lines))
- (rest (cdr lines)))
- (if (string=? first "")
- (values (reverse header) rest)
- (loop rest (cons first header))))))))
-
- ;; delete-message :
- ;; communicator x number -> ()
-
- (define delete-message
- (lambda (communicator message)
- (confirm-transaction-mode communicator
- "cannot delete message unless in transaction state")
- (send-to-server communicator "DELE ~a" message)
- (let ((status (get-status-response/basic communicator)))
- (cond
- ((-err? status)
- ((signal-error make-cannot-delete-message
- "no message numbered ~a available to be deleted" message)
- communicator message))
- ((+ok? status)
- 'deleted)))))
-
- ;; regexp for UIDL responses
-
- (define uidl-regexp (regexp "([0-9]+) (.*)"))
-
- ;; get-unique-id/single :
- ;; communicator x number -> string
-
- (define (get-unique-id/single communicator message)
- (confirm-transaction-mode communicator
- "cannot get unique message id unless in transaction state")
- (send-to-server communicator "UIDL ~a" message)
- (let-values (((status result)
- (get-status-response/match communicator
- uidl-regexp
- ".*")))
- ;; The server response is of the form
- ;; +OK 2 QhdPYR:00WBw1Ph7x7
- (cond
- ((-err? status)
- ((signal-error make-illegal-message-number
- "no message numbered ~a available for unique id" message)
- communicator message))
- ((+ok? status)
- (cadr result)))))
-
- ;; get-unique-id/all :
- ;; communicator -> list(number x string)
-
- (define (get-unique-id/all communicator)
- (confirm-transaction-mode communicator
- "cannot get unique message ids unless in transaction state")
- (send-to-server communicator "UIDL")
- (let ((status (get-status-response/basic communicator)))
- ;; The server response is of the form
- ;; +OK
- ;; 1 whqtswO00WBw418f9t5JxYwZ
- ;; 2 QhdPYR:00WBw1Ph7x7
- ;; .
- (map (lambda (l)
- (let ((m (regexp-match uidl-regexp l)))
- (cons (string->number (cadr m)) (caddr m))))
- (get-multi-line-response communicator))))
-
- ;; close-communicator :
- ;; communicator -> ()
-
- (define close-communicator
- (lambda (communicator)
- (close-input-port (communicator-receiver communicator))
- (close-output-port (communicator-sender communicator))))
-
- ;; disconnect-from-server :
- ;; communicator -> ()
-
- (define disconnect-from-server
- (lambda (communicator)
- (send-to-server communicator "QUIT")
- (set-communicator-state! communicator 'disconnected)
- (let ((response (get-status-response/basic communicator)))
- (close-communicator communicator)
- (cond
- ((+ok? response) (void))
- ((-err? response)
- ((signal-error make-disconnect-not-quiet
- "got error status upon disconnect")
- communicator))))))
-
- ;; send-to-server :
- ;; communicator x format-string x list (values) -> ()
-
- (define send-to-server
- (lambda (communicator message-template . rest)
- (apply fprintf (communicator-sender communicator)
- (string-append message-template "~n")
- rest)))
-
- ;; get-one-line-from-server :
- ;; iport -> string
-
- (define get-one-line-from-server
- (lambda (server->client-port)
- (read-line server->client-port 'return-linefeed)))
-
- ;; get-server-status-response :
- ;; communicator -> server-responses x string
-
- ;; -- provides the low-level functionality of checking for +OK
- ;; and -ERR, returning an appropriate structure, and returning the
- ;; rest of the status response as a string to be used for further
- ;; parsing, if necessary.
-
- (define get-server-status-response
- (let ((+ok-regexp (regexp "^\\+OK (.*)"))
- (-err-regexp (regexp "^\\-ERR (.*)")))
- (lambda (communicator)
- (let ((receiver (communicator-receiver communicator)))
- (let ((status-line (get-one-line-from-server receiver)))
- (let ((r (regexp-match +ok-regexp status-line)))
- (if r
- (values +ok (cadr r))
- (let ((r (regexp-match -err-regexp status-line)))
- (if r
- (values -err (cadr r))
- (signal-malformed-response-error communicator))))))))))
-
- ;; get-status-response/basic :
- ;; communicator -> server-responses
-
- ;; -- when the only thing to determine is whether the response
- ;; was +OK or -ERR.
-
- (define get-status-response/basic
- (lambda (communicator)
- (let-values (((response rest)
- (get-server-status-response communicator)))
- response)))
-
- ;; get-status-response/match :
- ;; communicator x regexp x regexp -> (status x list (string))
-
- ;; -- when further parsing of the status response is necessary.
- ;; Strips off the car of response from regexp-match.
-
- (define get-status-response/match
- (lambda (communicator +regexp -regexp)
- (let-values (((response rest)
- (get-server-status-response communicator)))
- (if (and +regexp (+ok? response))
- (let ((r (regexp-match +regexp rest)))
- (if r (values response (cdr r))
- (signal-malformed-response-error communicator)))
- (if (and -regexp (-err? response))
- (let ((r (regexp-match -regexp rest)))
- (if r (values response (cdr r))
- (signal-malformed-response-error communicator)))
- (signal-malformed-response-error communicator))))))
-
- ;; get-multi-line-response :
- ;; communicator -> list (string)
-
- (define get-multi-line-response
- (lambda (communicator)
- (let ((receiver (communicator-receiver communicator)))
- (let loop ()
- (let ((l (get-one-line-from-server receiver)))
- (cond
- ((eof-object? l)
- (signal-malformed-response-error communicator))
- ((string=? l ".")
- '())
- ((and (> (string-length l) 1)
- (char=? (string-ref l 0) #\.))
- (cons (substring l 1 (string-length l)) (loop)))
- (else
- (cons l (loop)))))))))
-
- ;; make-desired-header :
- ;; string -> desired
-
- (define make-desired-header
- (lambda (raw-header)
- (regexp
- (string-append
- "^"
- (list->string
- (apply append
- (map (lambda (c)
- (cond
- ((char-lower-case? c)
- (list #\[ (char-upcase c) c #\]))
- ((char-upper-case? c)
- (list #\[ c (char-downcase c) #\]))
- (else
- (list c))))
- (string->list raw-header))))
- ":"))))
-
- ;; extract-desired-headers :
- ;; list (string) x list (desired) -> list (string)
-
- (define extract-desired-headers
- (lambda (headers desireds)
- (let loop ((headers headers))
- (if (null? headers) null
- (let ((first (car headers))
- (rest (cdr headers)))
- (if (ormap (lambda (matcher)
- (regexp-match matcher first))
- desireds)
- (cons first (loop rest))
- (loop rest)))))))
-
- )
diff --git a/collects/net/pop3s.ss b/collects/net/pop3s.ss
deleted file mode 100644
index 143d6768..00000000
--- a/collects/net/pop3s.ss
+++ /dev/null
@@ -1,26 +0,0 @@
-(require-library "macro.ss")
-
-(define-signature mzlib:pop3^
- ((struct communicator (sender receiver server port state))
- connect-to-server disconnect-from-server
- authenticate/plain-text
- get-mailbox-status
- get-message/complete get-message/headers get-message/body
- delete-message
- get-unique-id/single get-unique-id/all
-
- make-desired-header extract-desired-headers
-
- (struct pop3 ())
- (struct cannot-connect ())
- (struct username-rejected ())
- (struct password-rejected ())
- (struct not-ready-for-transaction (communicator))
- (struct not-given-headers (communicator message))
- (struct illegal-message-number (communicator message))
- (struct cannot-delete-message (communicator message))
- (struct disconnect-not-quiet (communicator))
- (struct malformed-server-response (communicator))
-
- )
- )
diff --git a/collects/net/pop3u.ss b/collects/net/pop3u.ss
deleted file mode 100644
index 5169fd00..00000000
--- a/collects/net/pop3u.ss
+++ /dev/null
@@ -1,5 +0,0 @@
-(require-library "macro.ss")
-
-(require-library "pop3s.ss" "net")
-
-(define mzlib:pop3@ (require-library-unit/sig "pop3r.ss" "net"))
diff --git a/collects/net/smtp.ss b/collects/net/smtp.ss
deleted file mode 100644
index 28da5346..00000000
--- a/collects/net/smtp.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-
-(require-relative-library "smtps.ss")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:smtp^
- (require-relative-library "smtpr.ss"))
diff --git a/collects/net/smtpr.ss b/collects/net/smtpr.ss
deleted file mode 100644
index 62c2696f..00000000
--- a/collects/net/smtpr.ss
+++ /dev/null
@@ -1,101 +0,0 @@
-
-(unit/sig mzlib:smtp^
- (import)
-
- (define ID "localhost")
-
- (define debug-via-stdio? #f)
-
- (define crlf (string #\return #\linefeed))
-
- (define (log . args)
- ; (apply printf args)
- (void))
-
- (define (starts-with? l n)
- (and (>= (string-length l) (string-length n))
- (string=? n (substring l 0 (string-length n)))))
-
- (define (check-reply r v)
- (let ([l (read-line r (if debug-via-stdio?
- 'linefeed
- 'return-linefeed))])
- (log "server: ~a~n" l)
- (if (eof-object? l)
- (error 'check-reply "got EOF")
- (let ([n (number->string v)])
- (unless (starts-with? l n)
- (error 'check-reply "expected reply ~a; got: ~a" v l))
- (let ([n- (string-append n "-")])
- (when (starts-with? l n-)
- ; Multi-line reply. Go again.
- (check-reply r v)))))))
-
- (define (protect-line l)
- ; If begins with a dot, add one more
- (if (or (string=? "" l) (not (char=? #\. (string-ref l 0))))
- l
- (string-append "." l)))
-
- (define smtp-sending-end-of-message
- (make-parameter void
- (lambda (f)
- (unless (and (procedure? f)
- (procedure-arity-includes? f 0))
- (raise-type-error 'smtp-sending-end-of-message "thunk" f))
- f)))
-
- (define smtp-send-message
- (case-lambda
- [(server sender recipients header message-lines)
- (smtp-send-message server sender recipients header message-lines 25)]
- [(server sender recipients header message-lines pos)
- (when (null? recipients)
- (error 'send-smtp-message "no recievers"))
- (let-values ([(r w) (if debug-via-stdio?
- (values (current-input-port) (current-output-port))
- (tcp-connect server pos))])
- (with-handlers ([void (lambda (x)
- (close-input-port r)
- (close-output-port w)
- (raise x))])
- (check-reply r 220)
- (log "hello~n")
- (fprintf w "EHLO ~a~a" ID crlf)
- (check-reply r 250)
-
- (log "from~n")
- (fprintf w "MAIL FROM:<~a>~a" sender crlf)
- (check-reply r 250)
-
- (log "to~n")
- (for-each
- (lambda (dest)
- (fprintf w "RCPT TO:<~a>~a" dest crlf)
- (check-reply r 250))
- recipients)
-
- (log "header~n")
- (fprintf w "DATA~a" crlf)
- (check-reply r 354)
- (fprintf w "~a" header)
- (for-each
- (lambda (l)
- (log "body: ~a~n" l)
- (fprintf w "~a~a" (protect-line l) crlf))
- message-lines)
-
- ;; After we send the ".", then only break in an emergency
- ((smtp-sending-end-of-message))
-
- (log "dot~n")
- (fprintf w ".~a" crlf)
- (flush-output w)
- (check-reply r 250)
-
- (log "quit~n")
- (fprintf w "QUIT~a" crlf)
- (check-reply r 221)
-
- (close-output-port w)
- (close-input-port r)))])))
diff --git a/collects/net/smtps.ss b/collects/net/smtps.ss
deleted file mode 100644
index aaf743af..00000000
--- a/collects/net/smtps.ss
+++ /dev/null
@@ -1,4 +0,0 @@
-
-(define-signature mzlib:smtp^
- (smtp-send-message
- smtp-sending-end-of-message))
diff --git a/collects/net/url.ss b/collects/net/url.ss
deleted file mode 100644
index 701befd8..00000000
--- a/collects/net/url.ss
+++ /dev/null
@@ -1,20 +0,0 @@
-(require-library "macro.ss")
-(require-library "match.ss")
-(require-library "file.ss")
-
-(require-library "urlu.ss" "net")
-
-(begin-elaboration-time
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig mzlib:url^
- (compound-unit/sig
- (import
- (FILE : mzlib:file^))
- (link
- (URL : mzlib:url^
- (mzlib:url@ FILE)))
- (export
- (open URL)))
- #f
- mzlib:file^)
diff --git a/collects/net/urlr.ss b/collects/net/urlr.ss
deleted file mode 100644
index a37d45ea..00000000
--- a/collects/net/urlr.ss
+++ /dev/null
@@ -1,525 +0,0 @@
-;; To do:
-;; Handle HTTP/file errors.
-;; Not throw away MIME headers.
-;; Determine file type.
-
-;; ----------------------------------------------------------------------
-
-;; Input ports have two statuses:
-;; "impure" = they have text waiting
-;; "pure" = the MIME headers have been read
-
-(unit/sig mzlib:url^
- (import [file : mzlib:file^])
-
- (define-struct (url-exception struct:exn) ())
-
- ;; This is commented out; it's here for debugging.
- ;; It used to be outside the unit.
-
- (quote
- (begin
- (invoke-open-unit/sig mzlib:url@ #f)
- (define url:cs (string->url "http://www.cs.rice.edu/"))
- (define url:me (string->url "http://www.cs.rice.edu/~shriram/"))
- (define comb combine-url/relative)
- (define (test url)
- (call/input-url url
- get-pure-port
- display-pure-port))))
-
- (define url-error
- (lambda (fmt . args)
- (let ((s (apply format fmt (map (lambda (arg)
- (if (url? arg)
- (url->string arg)
- arg))
- args))))
- (raise (make-url-exception s (current-continuation-marks))))))
-
- ;; if the path is absolute, it just arbitrarily picks the first
- ;; filesystem root.
- (define unixpath->path
- (letrec ([r (regexp "([^/]*)/(.*)")]
- [translate-dir
- (lambda (s)
- (cond
- [(string=? s "") 'same] ;; handle double slashes
- [(string=? s "..") 'up]
- [(string=? s ".") 'same]
- [else s]))]
- [build-relative-path
- (lambda (s)
- (let ([m (regexp-match r s)])
- (cond
- [(string=? s "") 'same]
- [(not m) s]
- [else
- (build-path (translate-dir (cadr m))
- (build-relative-path (caddr m)))])))])
- (lambda (s)
- (cond
- [(string=? s "") ""]
- [(string=? s "/") (car (filesystem-root-list))]
- [(char=? #\/ (string-ref s 0))
- (build-path (car (filesystem-root-list))
- (build-relative-path
- (substring s 1 (string-length s))))]
- [else (build-relative-path s)]))))
-
- ;; scheme : str + #f
- ;; host : str + #f
- ;; port : num + #f
- ;; path : str
- ;; params : str + #f
- ;; query : str + #f
- ;; fragment : str + #f
- (define-struct url (scheme host port path params query fragment))
-
- ;; name : str (all lowercase; not including the colon)
- ;; value : str (doesn't have the eol delimiter)
- (define-struct mime-header (name value))
-
- (define url->string
- (lambda (url)
- (let ((scheme (url-scheme url))
- (host (url-host url))
- (port (url-port url))
- (path (url-path url))
- (params (url-params url))
- (query (url-query url))
- (fragment (url-fragment url)))
- (cond
- ((and scheme (string=? scheme "file"))
- (string-append "file:" path))
- (else
- (let ((sa string-append))
- (sa (if scheme (sa scheme "://") "")
- (if host host "")
- (if port (sa ":" (number->string port)) "")
- ; There used to be a "/" here, but that causes an
- ; extra leading slash -- wonder why it ever worked!
- path
- (if params (sa ";" params) "")
- (if query (sa "?" query) "")
- (if fragment (sa "#" fragment) ""))))))))
-
- ;; url->default-port : url -> num
- (define url->default-port
- (lambda (url)
- (let ((scheme (url-scheme url)))
- (cond
- ((not scheme) 80)
- ((string=? scheme "http") 80)
- (else
- (url-error "Scheme ~a not supported" (url-scheme url)))))))
-
- ;; make-ports : url -> in-port x out-port
- (define make-ports
- (lambda (url)
- (let ((port-number (or (url-port url)
- (url->default-port url))))
- (tcp-connect (url-host url) port-number))))
-
- ;; http://get-impure-port : url [x list (str)] -> in-port
- (define http://get-impure-port
- (opt-lambda (url (strings '()))
- (let-values (((server->client client->server)
- (make-ports url)))
- (let ((access-string
- (url->string
- (make-url #f #f #f
- (url-path url) (url-params url)
- (url-query url) (url-fragment url)))))
- (for-each (lambda (s)
- (display s client->server)
- (newline client->server))
- (cons (format "GET ~a HTTP/1.0" access-string)
- (cons (format "Host: ~a" (url-host url))
- strings))))
- (newline client->server)
- (close-output-port client->server)
- server->client)))
-
- ;; file://get-pure-port : url -> in-port
- (define file://get-pure-port
- (lambda (url)
- (let ((host (url-host url)))
- (if (or (not host)
- (string=? host "")
- (string=? host "localhost"))
- (open-input-file
- (unixpath->path (url-path url)))
- (url-error "Cannot get files from remote hosts")))))
-
- ;; get-impure-port : url [x list (str)] -> in-port
- (define get-impure-port
- (opt-lambda (url (strings '()))
- (let ((scheme (url-scheme url)))
- (cond
- ((not scheme)
- (url-error "Scheme unspecified in ~a" url))
- ((string=? scheme "http")
- (http://get-impure-port url strings))
- ((string=? scheme "file")
- (url-error "There are no impure file:// ports"))
- (else
- (url-error "Scheme ~a unsupported" scheme))))))
-
- ;; get-pure-port : url [x list (str)] -> in-port
- (define get-pure-port
- (opt-lambda (url (strings '()))
- (let ((scheme (url-scheme url)))
- (cond
- ((not scheme)
- (url-error "Scheme unspecified in ~a" url))
- ((string=? scheme "http")
- (let ((port (http://get-impure-port url strings)))
- (purify-port port)
- port))
- ((string=? scheme "file")
- (file://get-pure-port url))
- (else
- (url-error "Scheme ~a unsupported" scheme))))))
-
- ;; display-pure-port : in-port -> ()
- (define display-pure-port
- (lambda (server->client)
- (let loop ()
- (let ((c (read-char server->client)))
- (unless (eof-object? c)
- (display c)
- (loop))))
- (close-input-port server->client)))
-
- (define empty-url?
- (lambda (url)
- (and (not (url-scheme url)) (not (url-params url))
- (not (url-query url)) (not (url-fragment url))
- (andmap (lambda (c) (char=? c #\space))
- (string->list (url-path url))))))
-
- ;; combine-url/relative : url x str -> url
- (define combine-url/relative
- (lambda (base string)
- (let ((relative (string->url string)))
- (cond
- ((empty-url? base) ; Step 1
- relative)
- ((empty-url? relative) ; Step 2a
- base)
- ((url-scheme relative) ; Step 2b
- relative)
- (else ; Step 2c
- (set-url-scheme! relative (url-scheme base))
- (cond
- ((url-host relative) ; Step 3
- relative)
- (else
- (set-url-host! relative (url-host base))
- (set-url-port! relative (url-port base)) ; Unspecified!
- (let ((rel-path (url-path relative)))
- (cond
- ((and rel-path ; Step 4
- (not (string=? "" rel-path))
- (char=? #\/ (string-ref rel-path 0)))
- relative)
- ((or (not rel-path) ; Step 5
- (string=? rel-path ""))
- (set-url-path! relative (url-path base))
- (or (url-params relative)
- (set-url-params! relative (url-params base)))
- (or (url-query relative)
- (set-url-query! relative (url-query base)))
- relative)
- (else ; Step 6
- (if (and (url-scheme base)
- (string=? (url-scheme base) "file"))
-
- ;; Important that:
- ;; 1. You set-url-path! the new path into
- ;; `relative'.
- ;; 2. You return `relative' as the value
- ;; from here without invoking
- ;; `merge-and-normalize'.
- ;; The variable `rel-path' contains the
- ;; path portion of the relative URL.
-
- (let+ ([val base-path (url-path base)]
- [val (values base name must-be-dir?)
- (split-path base-path)]
- [val base-dir (if must-be-dir? base-path base)]
- [val ind-rel-path (unixpath->path rel-path)]
- [val merged (build-path base-dir
- ind-rel-path)])
- (set-url-path! relative merged)
- relative)
- (merge-and-normalize
- (url-path base) relative))))))))))))
-
- (define merge-and-normalize
- (lambda (base-path relative-url)
- (let ((rel-path (url-path relative-url)))
- (let ((base-list (string->list base-path))
- (rel-list (string->list rel-path)))
- (let*
- ((joined-list
- (let loop ((base (reverse base-list)))
- (if (null? base)
- rel-list
- (if (char=? #\/ (car base))
- (append (reverse base) rel-list)
- (loop (cdr base))))))
- (grouped
- (let loop ((joined joined-list) (current '()))
- (if (null? joined)
- (list (list->string (reverse current)))
- (if (char=? #\/ (car joined))
- (cons (list->string
- (reverse (cons #\/ current)))
- (loop (cdr joined) '()))
- (loop (cdr joined)
- (cons (car joined) current))))))
- (grouped
- (let loop ((grouped grouped))
- (if (null? grouped) '()
- (if (string=? "./" (car grouped))
- (loop (cdr grouped))
- (cons (car grouped) (loop (cdr grouped)))))))
- (grouped
- (let loop ((grouped grouped))
- (if (null? grouped) '()
- (if (null? (cdr grouped))
- (if (string=? "." (car grouped)) '()
- grouped)
- (cons (car grouped) (loop (cdr grouped)))))))
- (grouped
- (let remove-loop ((grouped grouped))
- (let walk-loop ((r-pre '()) (post grouped))
- (if (null? post)
- (reverse r-pre)
- (let ((first (car post))
- (rest (cdr post)))
- (if (null? rest)
- (walk-loop (cons first r-pre) rest)
- (let ((second (car rest)))
- (if (and (not (string=? first "../"))
- (string=? second "../"))
- (remove-loop
- (append (reverse r-pre) (cddr post)))
- (walk-loop (cons first r-pre) rest)))))))))
- (grouped
- (let loop ((grouped grouped))
- (if (null? grouped) '()
- (if (null? (cdr grouped)) grouped
- (if (and (null? (cddr grouped))
- (not (string=? (car grouped) "../"))
- (string=? (cadr grouped) ".."))
- '()
- (cons (car grouped) (loop (cdr grouped)))))))))
- (set-url-path! relative-url
- (apply string-append grouped))
- relative-url)))))
-
- ;; call/input-url : url x (url -> in-port) x (in-port -> T)
- ;; [x list (str)] -> T
- (define call/input-url
- (let ((handle-port (lambda (server->client handler)
- (dynamic-wind (lambda () 'do-nothing)
- (lambda () (handler server->client))
- (lambda () (close-input-port server->client))))))
- (case-lambda
- ((url getter handler)
- (handle-port (getter url) handler))
- ((url getter handler params)
- (handle-port (getter url params) handler)))))
-
- (define empty-line?
- (lambda (chars)
- (or (null? chars)
- (and (memv (car chars) '(#\return #\linefeed #\tab #\space))
- (empty-line? (cdr chars))))))
-
- (define extract-mime-headers-as-char-lists
- (lambda (port)
- (let headers-loop ((headers '()))
- (let char-loop ((header '()))
- (let ((c (read-char port)))
- (if (eof-object? c)
- (reverse headers) ; CHECK: INCOMPLETE MIME: SERVER BUG
- (if (char=? c #\newline)
- (if (empty-line? header)
- (reverse headers)
- (begin
- (headers-loop (cons (reverse header) headers))))
- (char-loop (cons c header)))))))))
-
- ;; purify-port : in-port -> list (mime-header)
- (define purify-port
- (lambda (port)
- (let ((headers-as-chars (extract-mime-headers-as-char-lists port)))
- (let header-loop ((headers headers-as-chars))
- (if (null? headers)
- '()
- (let ((header (car headers)))
- (let char-loop ((pre '()) (post header))
- (if (null? post)
- (header-loop (cdr headers))
- (if (char=? #\: (car post))
- (cons (make-mime-header
- (list->string (reverse pre))
- (list->string post))
- (header-loop (cdr headers)))
- (char-loop (cons (char-downcase (car post)) pre)
- (cdr post)))))))))))
-
- (define character-set-size 256)
-
- (define marker-list
- '(#\: #\; #\? #\#))
-
- (define ascii-marker-list
- (map char->integer marker-list))
-
- (define marker-locations
- (make-vector character-set-size))
-
- (define first-position-of-marker
- (lambda (c)
- (vector-ref marker-locations (char->integer c))))
-
- ;; netscape/string->url : str -> url
- (define netscape/string->url
- (lambda (string)
- (let ((url (string->url string)))
- (if (url-scheme url)
- url
- (if (string=? string "")
- (url-error "Can't resolve empty string as URL")
- (begin
- (set-url-scheme! url
- (if (char=? (string-ref string 0) #\/)
- "file"
- "http"))
- url))))))
-
- ;; string->url : str -> url
- (define string->url
- (lambda (string)
- (let loop ((markers ascii-marker-list))
- (unless (null? markers)
- (vector-set! marker-locations (car markers) #f)
- (loop (cdr markers))))
- (let loop ((chars (string->list string)) (index 0))
- (unless (null? chars)
- (let ((first (car chars)))
- (when (memq first marker-list)
- (let ((posn (char->integer first)))
- (unless (vector-ref marker-locations posn)
- (vector-set! marker-locations posn index)))))
- (loop (cdr chars) (add1 index))))
- (let
- ((first-colon (first-position-of-marker #\:))
- (first-semicolon (first-position-of-marker #\;))
- (first-question (first-position-of-marker #\?))
- (first-hash (first-position-of-marker #\#)))
- (let
- ((scheme-start (and first-colon 0))
- (path-start (if first-colon (add1 first-colon) 0))
- (params-start (and first-semicolon (add1 first-semicolon)))
- (query-start (and first-question (add1 first-question)))
- (fragment-start (and first-hash (add1 first-hash))))
- (let ((total-length (string-length string)))
- (let*
- ((scheme-finish (and scheme-start first-colon))
- (path-finish (if first-semicolon first-semicolon
- (if first-question first-question
- (if first-hash first-hash
- total-length))))
- (fragment-finish (and fragment-start total-length))
- (query-finish (and query-start
- (if first-hash first-hash
- total-length)))
- (params-finish (and params-start
- (if first-question first-question
- (if first-hash first-hash
- total-length)))))
- (let ((scheme (and scheme-start
- (substring string
- scheme-start scheme-finish))))
- (if (and scheme
- (string=? scheme "file"))
- (make-url
- scheme
- #f ; host
- #f ; port
- (build-path (substring string path-start total-length))
- #f ; params
- #f ; query
- #f) ; fragment
- (let-values (((host port path)
- (parse-host/port/path
- string path-start path-finish)))
- (make-url
- scheme
- host
- port
- path
- (and params-start
- (substring string params-start params-finish))
- (and query-start
- (substring string query-start query-finish))
- (and fragment-start
- (substring string fragment-start
- fragment-finish))))))))))))
-
- ;; parse-host/port/path : str x num x num -> (str + #f) + (num + #f) + str
- (define parse-host/port/path
- (lambda (path begin-point end-point)
- (let ((has-host? (and (>= (- end-point begin-point) 2)
- (char=? (string-ref path begin-point) #\/)
- (char=? (string-ref path (add1 begin-point))
- #\/))))
- (let ((begin-point (if has-host?
- (+ begin-point 2)
- begin-point)))
- (let loop ((index begin-point)
- (first-colon #f)
- (first-slash #f))
- (cond
- ((>= index end-point)
- ;; We come here only if the string has not had a /
- ;; yet. This can happen in two cases:
- ;; 1. The input is a relative URL, and the hostname
- ;; will not be specified. In such cases, has-host?
- ;; will be false.
- ;; 2. The input is an absolute URL with a hostname,
- ;; and the intended path is "/", but the URL is missing
- ;; a "/" at the end. has-host? must be true.
- (let ((host/path (substring path begin-point end-point)))
- (if has-host?
- (values host/path #f "/")
- (values #f #f host/path))))
- ((char=? #\: (string-ref path index))
- (loop (add1 index) (or first-colon index) first-slash))
- ((char=? #\/ (string-ref path index))
- (if first-colon
- (values
- (substring path begin-point first-colon)
- (string->number (substring path (add1 first-colon)
- index))
- (substring path index end-point))
- (if has-host?
- (values
- (substring path begin-point index)
- #f
- (substring path index end-point))
- (values
- #f
- #f
- (substring path begin-point end-point)))))
- (else
- (loop (add1 index) first-colon first-slash))))))))
-
- )
-
diff --git a/collects/net/urls.ss b/collects/net/urls.ss
deleted file mode 100644
index c3c02a4c..00000000
--- a/collects/net/urls.ss
+++ /dev/null
@@ -1,18 +0,0 @@
-(require-library "macro.ss")
-(require-library "files.ss")
-
-(define-signature mzlib:url^
- ((struct url (scheme host port path params query fragment))
- (struct mime-header (name value))
- unixpath->path
- get-pure-port ; url [x list (str)] -> in-port
- get-impure-port ; url [x list (str)] -> in-port
- display-pure-port ; in-port -> ()
- purify-port ; in-port -> list (mime-header)
- netscape/string->url ; (string -> url)
- string->url ; str -> url
- url->string
- call/input-url ; url x (url -> in-port) x
- ; (in-port -> T)
- ; [x list (str)] -> T
- combine-url/relative)) ; url x str -> url
diff --git a/collects/net/urlu.ss b/collects/net/urlu.ss
deleted file mode 100644
index e897a344..00000000
--- a/collects/net/urlu.ss
+++ /dev/null
@@ -1,5 +0,0 @@
-(require-library "refer.ss")
-(require-library "urls.ss" "net")
-
-(define mzlib:url@
- (require-library-unit/sig "urlr.ss" "net"))
diff --git a/collects/quasiquote/qq-client.ss b/collects/quasiquote/qq-client.ss
deleted file mode 100644
index 374c2ee7..00000000
--- a/collects/quasiquote/qq-client.ss
+++ /dev/null
@@ -1,230 +0,0 @@
-; Time-stamp: <98/05/08 22:29:05 shriram>
-
-; * Need to make write-holdings-to-file set permissions appropriately.
-; * add-{stock,fund} should check if the entry already exists.
-; * Allow update of holdings.
-; * Print numbers in columns.
-; * Improve output quality and media.
-; * Enable queries on individual holdings.
-
-;; Format of RC file:
-;; current-seconds (when file was last written)
-;; ((entity quantity price) ...)
-;;
-;; where entity = (stock "...") or (fund "...")
-
-(require-library "match.ss")
-(require-library "date.ss")
-
-(require-library "qq.ss" "quasiquote")
-
-(define rc-file "~/.qqrc")
-
-;; entity : entity
-;; quantity : num
-;; price : num
-
-(define-struct holding (entity quantity price))
-
-;; raw-holding->holding :
-;; raw-holding -> holding
-
-(define raw-holding->holding
- (lambda (rh)
- (match rh
- ((('stock name) quantity price)
- (make-holding (stock name) quantity price))
- ((('fund name) quantity price)
- (make-holding (fund name) quantity price))
- (else (error 'qq-client "~s is an invalid entry in the database" rh)))))
-
-;; holding->raw-holding :
-;; holding -> raw-holding
-
-(define holding->raw-holding
- (lambda (h)
- (list
- (let ((entity (holding-entity h)))
- (cond
- ((stock? entity) `(stock ,(entity-name entity)))
- ((fund? entity) `(fund ,(entity-name entity)))
- (else
- (error 'qq-client "~s is not a valid entity" entity))))
- (holding-quantity h)
- (holding-price h))))
-
-;; write-holdings-to-file :
-;; list (holding) -> ()
-
-(define write-holdings-to-file
- (lambda (holdings)
- (let ((p (open-output-file rc-file 'replace)))
- (display "; -*- Scheme -*-" p)
- (newline p) (newline p)
- (display "; Do not edit directly: please use QuasiQuote clients!" p)
- (newline p) (newline p)
- (write (current-seconds) p)
- (newline p) (newline p)
- (write (map holding->raw-holding holdings) p)
- (newline p)
- (close-output-port p))))
-
-;; read-holdings-from-file :
-;; () -> (seconds + #f) x list (holding)
-
-(define read-holdings-from-file
- (lambda ()
- (with-handlers ((exn:i/o:filesystem? (lambda (exn)
- (values #f null))))
- (let ((p (open-input-file rc-file)))
- (values (read p)
- (map raw-holding->holding
- (read p)))))))
-
-;; update-holdings :
-;; list (holding) -> list (holding)
-
-(define update-holdings
- (lambda (holdings)
- (map (lambda (h)
- (let ((entity (holding-entity h)))
- (let ((new-value (get-quote entity)))
- (make-holding entity (holding-quantity h) new-value))))
- holdings)))
-
-;; changed-positions :
-;; list (holding) x list (holding) ->
-;; list (holding . num) x list (holding . num) x list (holding)
-
-(define changed-positions
- (lambda (old-in new-in)
- (let loop ((old old-in) (new new-in)
- (increases null) (decreases null) (stays null))
- (if (and (null? old) (null? new))
- (values increases decreases stays)
- (if (or (null? old) (null? new))
- (error 'qq-client "~s and ~s cannot be compared for changes"
- old-in new-in)
- (let ((first-old (car old)) (first-new (car new)))
- (if (string=? (entity-name (holding-entity first-old))
- (entity-name (holding-entity first-new)))
- (let* ((price-old (holding-price first-old))
- (price-new (holding-price first-new))
- (difference (- price-new price-old)))
- (cond
- ((= price-old price-new)
- (loop (cdr old) (cdr new)
- increases
- decreases
- (cons first-new stays)))
- ((< price-old price-new)
- (loop (cdr old) (cdr new)
- (cons (cons first-new difference) increases)
- decreases
- stays))
- (else
- (loop (cdr old) (cdr new)
- increases
- (cons (cons first-new difference) decreases)
- stays))))
- (error 'qq-client "~s and ~s are in the same position"
- first-old first-new))))))))
-
-;; total-value :
-;; list (holding) -> num
-
-(define total-value
- (lambda (holdings)
- (apply +
- (map (lambda (h)
- (* (holding-quantity h) (holding-price h)))
- holdings))))
-
-;; print-position-changes :
-;; list (holding . num) x list (holding . num) x list (holding) -> ()
-
-(define print-position-changes
- (lambda (increases decreases stays)
- (define print-entry/change
- (lambda (holding change)
- (printf "~a ~a ~a~a~n"
- (entity-name (holding-entity holding))
- (holding-price holding)
- (if (> change 0) "+" "-")
- (abs change))))
- (define print-change
- (lambda (banner changes)
- (unless (null? changes)
- (printf "~a:~n" banner))
- (for-each (lambda (h+delta)
- (print-entry/change (car h+delta) (cdr h+delta)))
- changes)
- (newline)))
- (print-change "Increases" increases)
- (print-change "Decreases" decreases)))
-
-;; print-statement :
-;; () -> ()
-
-(define print-statement
- (lambda ()
- (let-values (((old-time old-holdings)
- (read-holdings-from-file)))
- (let ((new-holdings (update-holdings old-holdings)))
- (when old-time
- (printf "Changes are since ~a~n~n"
- (date->string (seconds->date old-time))))
- (let-values (((increases decreases stays)
- (changed-positions old-holdings new-holdings)))
- (print-position-changes increases decreases stays))
- (let ((old-total (total-value old-holdings))
- (new-total (total-value new-holdings)))
- (printf "Total change: ~a~nTotal value: ~a~n"
- (- new-total old-total) new-total))
- (write-holdings-to-file new-holdings)))))
-
-;; create-holding :
-;; (str -> entity) -> str x num -> holding
-
-(define create-holding
- (lambda (maker)
- (lambda (name quantity)
- (let ((entity (maker name)))
- (let ((price (get-quote entity)))
- (make-holding entity quantity price))))))
-
-;; create-holding/stock :
-;; str x num -> holding
-
-(define create-holding/stock
- (create-holding stock))
-
-;; create-holding/fund :
-;; str x num -> holding
-
-(define create-holding/fund
- (create-holding fund))
-
-;; add-holding :
-;; (str x num -> holding) -> x str x num -> ()
-
-(define add-holding
- (lambda (maker)
- (lambda (name quantity)
- (let-values (((old-time old-holdings)
- (read-holdings-from-file)))
- (write-holdings-to-file
- (cons (maker name quantity)
- old-holdings))))))
-
-;; add-stock :
-;; str x num -> ()
-
-(define add-stock
- (add-holding create-holding/stock))
-
-;; add-fund :
-;; str x num -> ()
-
-(define add-fund
- (add-holding create-holding/fund))
diff --git a/collects/quasiquote/qq.ss b/collects/quasiquote/qq.ss
deleted file mode 100644
index 522e8edb..00000000
--- a/collects/quasiquote/qq.ss
+++ /dev/null
@@ -1,22 +0,0 @@
-(require-library "urls.ss" "net")
-(require-library "refer.ss")
-(require-library "coreu.ss")
-(require-library "qqu.ss" "quasiquote")
-
-(define quasiquote:program@
- (compound-unit/sig
- (import)
- (link
- (MZLIB-CORE : mzlib:core^
- (mzlib:core@))
- (URL : mzlib:url^
- ((require-library-unit/sig "urlr.ss" "net")
- (MZLIB-CORE file)))
- (INTERFACE : quasiquote:graphical-interface^
- (quasiquote:graphical-interface@))
- (QUOTESTER : quasiquote:quotester^
- (quasiquote:quotester@ INTERFACE URL)))
- (export
- (open QUOTESTER))))
-
-(define-values/invoke-unit/sig quasiquote:quotester^ quasiquote:program@)
diff --git a/collects/quasiquote/qqguir.ss b/collects/quasiquote/qqguir.ss
deleted file mode 100644
index 1cc1cc64..00000000
--- a/collects/quasiquote/qqguir.ss
+++ /dev/null
@@ -1,21 +0,0 @@
-(unit/sig quasiquote:graphical-interface^
- (import)
-
- (define display-image-stream
- (lambda (input-port stock-name)
- (let ((tmp-file-name
- (build-path (current-directory)
- (string-append stock-name "."
- (number->string (current-seconds))
- ".gif"))))
- (let ((p (open-output-file tmp-file-name)))
- (let loop ()
- (let ((c (read-char input-port)))
- (unless (eof-object? c)
- (display c p)
- (loop))))
- (close-output-port p)
- (close-input-port input-port)
- (process (string-append "xv " tmp-file-name))))))
-
- )
diff --git a/collects/quasiquote/qqr.ss b/collects/quasiquote/qqr.ss
deleted file mode 100644
index 0a92e0f6..00000000
--- a/collects/quasiquote/qqr.ss
+++ /dev/null
@@ -1,98 +0,0 @@
-(unit/sig quasiquote:quotester^
- (import
- quasiquote:graphical-interface^
- (url : mzlib:url^))
-
- (define-struct entity (name))
- (define-struct (stock struct:entity) ())
- (define-struct (fund struct:entity) ())
-
- (define get-chart
- (lambda (entity)
- (define base-directory-for-stocks "/sm/pg/")
- ;; Rule: append /.gif
- (define base-directory-for-funds "/sm/trmfg/")
- ;; Rule: append /.gif
- (define handle-processing
- (lambda (base-dir)
- (let ((s (entity-name entity)))
- (display-image-stream
- (url:get-pure-port
- (url:make-url "http" "www.stockmaster.com" #f
- (string-append base-dir "/"
- (string (string-ref s 0))
- "/" s ".gif")
- #f #f #f))
- s))))
- (cond
- ((stock? entity)
- (handle-processing base-directory-for-stocks))
- ((fund? entity)
- (handle-processing base-directory-for-funds))
- (else
- (error 'get-chart
- "~s is not a stock or fund" entity)))))
-
- ;; http://www.stocksmart.com/ows-bin/owa/sq.returnPrice?symbol=
- ;; (regexp "
\\$(.+)
")
- ;; no longer works -- advantage is it provided ratios instead of decimals
-
- ;; http://quote.yahoo.com/q?s=&d=v1
- ;; provides some quotes as ratios -- hence the second regexp
-
- (define extract-quote-amount
- (let ((quote-pattern (regexp "
(.+)
"))
- (ratio-pattern (regexp "([0-9]+)/([0-9]+)")))
- (lambda (port symbol)
- (let loop ()
- (let ((line (read-line port)))
- (if (eof-object? line)
- (error 'get-quote
- "No quote found for ~s" (entity-name symbol))
- (let ((matched (regexp-match quote-pattern line)))
- (if matched
- (let ((value
- (let (($string (cadr matched)))
- (let ((p (open-input-string $string)))
- (let loop ((sum 0))
- (let ((r (read p)))
- (if (eof-object? r)
- sum
- (loop (+ (if (number? r)
- r
- (let ((ratio-matched
- (regexp-match
- ratio-pattern
- (symbol->string r))))
- (if ratio-matched
- (/ (string->number
- (cadr ratio-matched))
- (string->number
- (caddr ratio-matched)))
- (error 'get-quote
- "Unrecognized quote ~s"
- r))))
- sum)))))))))
- ;; out of courtesy to the server, we'll read it all
- (let finish-loop ()
- (let ((line (read-line port)))
- (unless (eof-object? line)
- (finish-loop))))
- value)
- (loop)))))))))
-
- (define get-quote
- (lambda (symbol)
- (extract-quote-amount
- (url:get-pure-port
- (url:make-url "http" "quote.yahoo.com" #f
- "/q" ;; leading slash essential
- #f
- (string-append "s=" (entity-name symbol) "&d=v1")
- #f))
- symbol)))
-
- (define stock make-stock)
- (define fund make-fund)
-
- )
diff --git a/collects/quasiquote/qqs.ss b/collects/quasiquote/qqs.ss
deleted file mode 100644
index e632436f..00000000
--- a/collects/quasiquote/qqs.ss
+++ /dev/null
@@ -1,11 +0,0 @@
-(define-signature quasiquote:graphical-interface^
- (display-image-stream))
-
-(define-signature quasiquote:quotester^
- (get-chart
- get-quote
- (struct entity (name))
- (struct stock ())
- (struct fund ())
- stock
- fund))
diff --git a/collects/quasiquote/qqu.ss b/collects/quasiquote/qqu.ss
deleted file mode 100644
index 7ee89513..00000000
--- a/collects/quasiquote/qqu.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-(require-library "refer.ss")
-(require-library "qqs.ss" "quasiquote")
-
-(define quasiquote:quotester@
- (require-library-unit/sig "qqr.ss" "quasiquote"))
-
-(define quasiquote:graphical-interface@
- (require-library-unit/sig "qqguir.ss" "quasiquote"))
diff --git a/collects/readline/doc.txt b/collects/readline/doc.txt
deleted file mode 100644
index d7ed302b..00000000
--- a/collects/readline/doc.txt
+++ /dev/null
@@ -1,54 +0,0 @@
-
-The _readline_ collection (not to be confused with MzScheme's
-`read-line' procedure) provides glue for using GNU's readline library
-with the MzScheme read-eval-print-loop. It has been tested under Linux
-(various flavors), FreeBSD, and Solaris.
-
-To use readline, you must be able to compile the "mzrl.c" file to
-produce a MzScheme extension, which requires a C compiler. The
-"mzmake.ss" program in the "readline" library attempts to compile it
-for you, and the collection installer runs "mzmake.ss". Thus, if the
-installation succeeds, you can use the readline library right
-away. Otherwise, you may have to modified "mzmake.ss" to get it to
-work.
-
-
-Normal use of readline
-----------------------
-
-The _rep.ss_ library installs a readline-based function for the
-prompt-and-read part of MzScheme's read-eval-print loop.
-
-I put the following in my ~/.mzschemerc so that MzScheme always starts
-with readline support:
-
- (require-library "rep.ss" "readline")
-
-The readline history is stored across invocations in ~/.mzrl.history,
-assuming MzScheme exits normally.
-
-
-Direct bindings for readline hackers
-------------------------------------
-
-The _readline.ss_ library provides two functions:
-
-> (readline prompt-string) - prints the given prompt string and reads
- an S-expression.
-
-> (add-history s) - adds the given string to the readline history,
- which is accessible to the user via the up-arrow key
-
-
-Known Bugs
-----------
-
-Hitting ctl-C more than once tends to make either readline or MzScheme
-crash (I'm not sure which one).
-
-
-
- mflatt@cs.utah.edu
-
-Note to self: pack with
- (pack "readline.plt" "readline" '("collects/readline") '(("readline")))
diff --git a/collects/readline/info.ss b/collects/readline/info.ss
deleted file mode 100644
index 5d3093a2..00000000
--- a/collects/readline/info.ss
+++ /dev/null
@@ -1,10 +0,0 @@
-(lambda (request failure-thunk)
- (case request
- [(name) "readline"]
- [(install-collection)
- (lambda (path)
- (parameterize ([current-namespace (make-namespace)]
- [current-directory (build-path path "collects" "readline")])
- (global-defined-value 'argv #())
- (load "mzmake.ss")))]
- [else (failure-thunk)]))
diff --git a/collects/readline/mzmake.ss b/collects/readline/mzmake.ss
deleted file mode 100755
index 4475a3a3..00000000
--- a/collects/readline/mzmake.ss
+++ /dev/null
@@ -1,116 +0,0 @@
-#!/bin/sh -f
-string=? ; if [ "$PLTHOME" = "" ] ; then
-string=? ; echo Please define PLTHOME
-string=? ; exit -1
-string=? ; fi
-string=? ; exec ${PLTHOME}/bin/mzscheme -qr $0 "$@"
-
-;;; This program attempts to compile and link mzrl.c.
-;;; See doc.txt for more information.
-
-(define mach-id (string->symbol (system-library-subpath)))
-
-;; Is the readline library in /usr/local/gnu ?
-
-;; We look for the readline library and includes in the
-;; following places:
-(define search-path
- (list "/usr"
- "/usr/local/gnu"
- ;; Hack for the author's convenience:
- (format "/home/mflatt/proj/readline-2.1/~a" mach-id)))
-
-(define rl-path
- (ormap (lambda (x)
- (and (directory-exists? (build-path x "include" "readline"))
- (or (file-exists? (build-path x "lib" "libreadline.a"))
- (file-exists? (build-path x "lib" "libreadline.so")))
- x))
- search-path))
-
-(unless rl-path
- (error 'readline-installer
- "can't find readline include files and/or library; try editing `search-path' in mzmake.ss"))
-
-(require-library "make.ss" "make")
-(require-library "link.ss" "dynext")
-(require-library "compile.ss" "dynext")
-(require-library "file.ss" "dynext")
-
-(require-library "file.ss")
-(require-library "functio.ss")
-
-(make-print-checking #f)
-
-;; Used as make dependencies:
-(define header (build-path (collection-path "mzscheme" "include") "scheme.h"))
-(define version-header (build-path (collection-path "mzscheme" "include") "schvers.h"))
-
-(define dir (build-path "compiled" "native" (system-library-subpath)))
-(define mzrl.so (build-path dir (append-extension-suffix "mzrl")))
-(define mzrl.o (build-path dir (append-object-suffix "mzrl")))
-
-;; Function used to add a command-line flag:
-(define (add-flags fp flags)
- (fp (append (fp) flags)))
-
-;; Add -I to compiler command-line
-(add-flags current-extension-compiler-flags
- (list (format "-I~a/include" rl-path)))
-
-;; More platform-specific compiler flags.
-(case mach-id
- [(rs6k-aix)
- (add-flags current-extension-compiler-flags
- (list "-DNEEDS_SELECT_H"))]
- [else (void)])
-
-;; If we don't have a .so file, we need to make the linker
-;; use the whole archive:
-(when (not (file-exists? (build-path rl-path "lib" "libreadline.so")))
- (case mach-id
- [(sparc-solaris i386-solaris)
- (add-flags current-extension-linker-flags
- (list "-u" "rl_readline_name"))]
- [(i386-linux i386-freebsd)
- (add-flags current-extension-linker-flags
- (list "--whole-archive"))]
- [else (fpritnf (current-error-port)
- "mzmake.ss Warning: trying to use .a library, but don't know how to force inclusion;~
- ~n result may have undefined references~n")]))
-
-;; Add -L and -l for readline:
-(add-flags current-extension-linker-flags
- (list (format "-L~a/lib" rl-path)
- "-lreadline"))
-
-; More platform-specific linker flags.
-(case mach-id
- [(sparc-solaris i386-solaris)
- (add-flags current-extension-linker-flags
- (list "-ltermcap"))]
- [(rs6k-aix)
- (add-flags current-extension-linker-flags
- (list "-lc"))]
- [else (void)])
-
-;; Add the -lcurses flag:
-(add-flags current-extension-linker-flags (list "-lcurses"))
-
-(define (delete/continue x)
- (with-handlers ([(lambda (x) #t) void])
- (delete-file x)))
-
-(make
- ((mzrl.so (mzrl.o dir)
- (link-extension #f (list mzrl.o) mzrl.so))
-
- (mzrl.o ("mzrl.c" header version-header dir)
- (compile-extension #f "mzrl.c" mzrl.o ()))
-
- ("clean" () (begin (delete/continue mzrl.o) (delete/continue mzrl.so)))
-
- (dir ()
- (make-directory* dir)))
-
- argv)
diff --git a/collects/readline/mzrl.c b/collects/readline/mzrl.c
deleted file mode 100644
index c93ecffc..00000000
--- a/collects/readline/mzrl.c
+++ /dev/null
@@ -1,94 +0,0 @@
-
-#include "escheme.h"
-#include
-#include
-#include
-#ifdef NEEDS_SELECT_H
-# include
-#endif
-#include
-
-/* For pre-102 compatibility: */
-#ifndef MZ_DECL_VAR_REG
-# define MZ_DECL_VAR_REG(x) /* empty */
-# define MZ_VAR_REG(p, x) /* empty */
-# define MZ_CWVR(x) x
-#endif
-
-extern Function *rl_event_hook;
-
-Scheme_Object *do_readline(int argc, Scheme_Object **argv)
-{
- char *s;
- Scheme_Object *o;
-
- if (!SCHEME_STRINGP(argv[0]))
- scheme_wrong_type("readline", "string", 0, argc, argv);
-
- s = readline(SCHEME_STR_VAL(argv[0]));
- if (!s)
- return scheme_eof;
-
- o = scheme_make_string(s);
-
- free(s);
-
- return o;
-}
-
-Scheme_Object *do_add_history(int argc, Scheme_Object **argv)
-{
- char *s;
- Scheme_Object *o;
-
- if (!SCHEME_STRINGP(argv[0]))
- scheme_wrong_type("add-history", "string", 0, argc, argv);
-
- add_history(SCHEME_STR_VAL(argv[0]));
-
- return scheme_void;
-}
-
-static int check(Scheme_Object *x)
-{
- fd_set fd;
- struct timeval time = {0, 0};
-
- FD_ZERO(&fd);
- FD_SET(0, &fd);
- return select(1, &fd, NULL, NULL, &time);
-}
-
-static void set_fd_wait(Scheme_Object *x, void *fd)
-{
- MZ_FD_SET(0, (fd_set *)fd);
-}
-
-static int block(void)
-{
- scheme_block_until(check, set_fd_wait, scheme_void, 0.0);
- return 0;
-}
-
-Scheme_Object *scheme_reload(Scheme_Env *env)
-{
- Scheme_Object *a[2];
- MZ_DECL_VAR_REG(2);
- MZ_VAR_REG(0, a[0]);
- MZ_VAR_REG(1, a[1]);
-
- a[0] = MZ_CWVR(scheme_make_prim_w_arity(do_readline, "readline", 1, 1));
- a[1] = MZ_CWVR(scheme_make_prim_w_arity(do_add_history, "add-history", 1, 1));
-
- return MZ_CWVR(scheme_values(2, a));
-}
-
-Scheme_Object *scheme_initialize(Scheme_Env *env)
-{
-
- rl_readline_name = "mzscheme";
-
- rl_event_hook = block;
-
- return scheme_reload(env);
-}
diff --git a/collects/readline/pread.ss b/collects/readline/pread.ss
deleted file mode 100644
index 1ca6d115..00000000
--- a/collects/readline/pread.ss
+++ /dev/null
@@ -1,61 +0,0 @@
-
-(let*-values ([(.history) "~/.mzrl.history"]
- [(MAX-HISTORY) 100]
- [(readline add-history) (require-library "readline.ss" "readline")]
- [(leftovers) null]
- [(local-history)
- (with-handlers ([void (lambda (exn) null)])
- (with-input-from-file .history
- (lambda () (read))))]
- [(do-readline)
- (lambda (p)
- (let ([s (readline p)])
- (when (string? s)
- (add-history s)
- (if (= (length local-history) MAX-HISTORY)
- (set! local-history (cdr local-history)))
- (set! local-history (append local-history (list s))))
- s))]
- [(save-history)
- (lambda ()
- (with-handlers ([void void])
- (with-output-to-file .history
- (lambda () (write local-history))
- 'truncate)))])
- (exit-handler (let ([old (exit-handler)])
- (lambda (v)
- (save-history)
- (old v))))
- (for-each add-history local-history)
- (let ([prompt-read-using-readline
- (lambda (get-prompt)
- (if (pair? leftovers)
- (begin0
- (car leftovers)
- (set! leftovers (cdr leftovers)))
- (let big-loop ()
- (let loop ([s (do-readline (get-prompt 0))][next-pos 1])
- (if (eof-object? s)
- (begin
- (save-history)
- s)
- (with-handlers ([exn:read:eof?
- (lambda (exn)
- (loop (string-append
- s
- (string #\newline)
- (do-readline (get-prompt next-pos)))
- (add1 next-pos)))])
- (let* ([p (open-input-string s)]
- [rs (let loop ()
- (let ([r (read p)])
- (if (eof-object? r)
- null
- (cons r (loop)))))])
- (if (null? rs)
- (big-loop)
- (begin0
- (car rs)
- (set! leftovers (cdr rs)))))))))))])
- prompt-read-using-readline))
-
diff --git a/collects/readline/readline.ss b/collects/readline/readline.ss
deleted file mode 100644
index f0362ae1..00000000
--- a/collects/readline/readline.ss
+++ /dev/null
@@ -1,2 +0,0 @@
-
-(load-relative-extension (build-path "compiled" "native" (system-library-subpath) "mzrl.so"))
diff --git a/collects/readline/rep.ss b/collects/readline/rep.ss
deleted file mode 100644
index 20c67727..00000000
--- a/collects/readline/rep.ss
+++ /dev/null
@@ -1,10 +0,0 @@
-
-(current-prompt-read
- (let ([read (require-library "pread.ss" "readline")]
- [orig-read (current-prompt-read)]
- [orig-input (current-input-port)])
- (lambda ()
- (if (eq? (current-input-port) orig-input)
- (read (lambda (n) (if (zero? n) "> " " ")))
- (orig-read)))))
-
diff --git a/collects/setup/doc.txt b/collects/setup/doc.txt
deleted file mode 100644
index 142ac759..00000000
--- a/collects/setup/doc.txt
+++ /dev/null
@@ -1,289 +0,0 @@
-
-_Setup PLT_ or _setup-plt_: Collection Setup and Unpacking
-==========================================================
-
-The Setup PLT executable (bin/setup-plt for Unix) performs two
-services:
-
- * Compiling and setting up all collections: When Setup PLT is run
- without any arguments, it finds all of the current collections
- (using the PLTHOME and PLTCOLLECTS environment variable)
- and compiles all collections with an info.ss library that
- indicates how the collection is compiled (see the
- --collection-zos flag for mzc).
-
- The --clean (or -c) flag to Setup PLT causes it to delete
- all existing .zo and extension files, thus ensuring a clean
- build from the source files. (Exactly which files are deleted
- is controlled by the info.ss file. See below for more info.)
-
- The -l flag takes one or more collection names and restricts
- Setup PLT's action to those collections.
-
- In addition to compilation, a collection's info.ss library
- can specify executables to be installed in the plt directory
- (plt/bin under Unix) or other installation actions.
-
- * Unpacking _.plt_ files: A .plt file is a platform-indepedent
- distribution archive for MzScheme- and MrEd-based software.
- When one or more file names are provided as the command line
- arguments to Setup PLT, the files contained in the .plt
- archive are unpacked (according to specifications embedded in
- the .plt file; see below) and only the collections specified
- by the plt file are compiled and setup (they are setup as if
- the "-c" or "--clean" flag had been passed to setup plt)
-
- Compiling and Setting Up Collections
- ------------------------------------
-
-Setup PLT attempts to compile and set up any collection that:
-
- * has an info.ss library;
-
- * is a top-level collection (not a sub-collection; top-level
- collections can specify subcollections to be compiled and
- set up with the `compile-subcollections' info.ss field);
- and
-
- * has the 'name info.ss field.
-
-Collections meeting this criteria are compiled using the
-`compile-collection-zos' procedure described above. If the -e or
---extension flag is specified, then the collections are also compiled
-using the `compile-collection-extension' procedure described above.
-
-Additional info.ss fields trigger additional setup actions:
-
-> 'mzscheme-launcher-names - a list of executable names to be
- installed in plt (or plt/bin) to run MzScheme programs implemented
- by the collection. A parallel list of library names must be
- provided by `mzscheme-launcher-libraries'. For each name, a
- launching executable is set up using the launcher collection's
- `install-mzscheme-program-launcher'. If the executable already
- exists, no action is taken.
-
-> 'mzscheme-launcher-libraries - a list of library names in
- parallel to `mzscheme-launcher-names'.
-
-> 'mred-launcher-names - a list of executable names to be installed
- in plt (or plt/bin) to run MrEd programs implemented by the
- collection. A parallel list of library names must be provided by
- `mred-launcher-libraries'. For each name, a launching executable is
- set up using the launcher collection's
- `install-mred-program-launcher'. If the executable already exists,
- no action is taken.
-
-> 'mred-launcher-libraries - a list of library names in
- parallel to `mred-launcher-names'.
-
-> 'install-collection - a procedure that accepts a directory path
- argument (the path to the collection) and performs
- collection-specific installation work. This procedure should avoid
- unnecessary work in the case that it is called multiple times for
- the same installation.
-
-> 'clean - a list of pathnames to be deleted when the --clean or
- -c flag is passed to setup-plt. The pathnames must be relative to
- the collection. If the any path names a directory, each of the
- files in the directory are deleted but none of the subdirectories of that
- directory are checked. If the path names a file,
- the file is deleted. The default, if this flag is not specified, is
- to delete all files in the compiled subdirectory.
- and all of the files in the architecture-specific subdirectory of
- the compiled directory, for the architecture that setup-plt
- is running under.
-
-
- Unpacking .plt Distribution Archives
- ------------------------------------
-
-The extension ".plt" is not required for a distribution archive; this
-convention merely helps users identify the purpose of a distribution
-file.
-
-The raw format of a distribution file is described below. This format
-is uncompressed and sensitive to communication modes (text
-vs. binary), so the distribution format is derived from the raw format
-by first compressing the file using gzip, then encoding the gzipped
-file with the MIME base64 standard (which relies only the characters
-A-Z, a-z, 0-9, +, /, and =; all other characters are ignored when
-a base64-encoded file is decoded).
-
-The raw format is
-
- * "PLT" are the first three characters.
-
- * An info.ss-like procedure that takes a symbol and a failure thunk
- and returns information about archive for recognized symbols. The
- two required info fields are:
-
- + 'name - a human-readable string describing the archive's
- contents. This name is used only for printing messages to the
- user during unpacking.
-
- + 'unpacker - a symbol indicating the expected unpacking
- environment. Currently, the only allowed value is 'mzscheme.
-
- The procedure is extracted from the archive using MzScheme's
- `read' and `eval' procedures.
-
- * An unsigned unit that drives the unpacking process. The unit accepts two
- imports: a path string for the plt directory and an `unmztar'
- procedure. The remainder of the unpacking process consists of invoking
- ths unit. It is expected that the unit will call `unmztar' procedure to
- unpack directories and files that are defined in the input archive afer
- this unit. The result of invoking the unit must be a list of collection
- paths (where each collection path is a list of strings); once the
- archive is unpacked, Setup PLT will compile and setup the specified
- collections, as if it was invoked with the "-c" option, so the
- "compiled" directories will be deleted.
-
- The `unmztar' procedure takes one argument: a filter
- procedure. The filter procedure is called for each directory and
- file to be unpacked. It is called with three arguments:
-
- + 'dir, 'file, 'file-replace - indicates whether the item to be
- unpacked is a directory, a file, or a file to be replaced;
-
- + a relative path string - the pathname of the directory or file
- to be unpacked, relative to the plt directory; and
-
- + a path string for the plt directory.
-
- If the filter procedure returns #f for a directory or file, the
- directory or file is not unpacked. If the filter procedure returns
- #t and the directory or file for 'dir or 'file already exists, it
- is not created. (The file for 'file-replace need not exist
- already.)
-
- When a directory is unpacked, intermediate directies are created
- as necessary to create the specified directory. When a file is
- unpacked, the directory must already exist.
-
- The unit is extracted from the archive using MzScheme's `read'
- and `eval' procedures.
-
-Assuming that the unpacking unit calls the `unmztar' procedure, the
-archive should continue with unpackables. Unpackables are extracted
-until the end-of-file is found (as indicated by an `=' in the
-base64-encoded input archive).
-
-An unpackable is one of the following:
-
- * The symbol 'dir followed by a list. The `build-path' procedure
- will be applied to the list to obtain a relative path for the
- directory (and the relatie path is combined with the plt directory
- path to ge a complete path).
-
- The 'dir symbol and list are extracted from the archive using
- MzScheme's `read' (and the result is *not* `eval'uated).
-
- * The symbol 'file, a list, a number, an asterisk, and the file
- data. The list specifies the file's relative path, just as for
- directories. The number indicates the size of the file to be
- unpacked in bytes. The asterisk indicates the start of the file
- data; the next n bytes are written to the file, where n is the
- specified size of the file.
-
- The symbol, list, and number are all extracted from the archive
- using MzScheme's `read' (and the result is *not* `eval'uated).
- After the number is read, input characters are discarded until
- an asterisk is found. The file data must follow this asterisk
- immediately.
-
- * The symbol 'file-replace is treated like 'file, but if the file
- exists on disk already, the file in the archive replaces the file
- on disk.
-
- Making .plt archives
- --------------------
-
-The setup collection's pack.ss library provides functions to help
-make .plt archives, especially under Unix:
-
-> (pack dest name paths collections [filter encode? file-mode]) -
- Creates the .plt file specified by the pathname `dest', using the
- string `name' as the name reported to Setup PLT as the archive's
- description, and `collections' as the list of colection paths
- returned by the unpacking unit. The `paths argument must be a list
- of relative paths for directories and files; the contents of these
- files and directories will be packed into the archive.
-
- The `filter' procedure is called with the relative path of each
- candidate for packing. If it returns #f for some path, then that
- file or directory is omitted from the archive. If it returns 'file
- or 'file-replace for a file, the file is packed with that mode,
- rather than the default mode. The default `filter' is `std-filter'
- (defined below).
-
- If `encode?' is #f, then the output archive is in raw form, and
- still must be gzipped and mime-encoded. If `encode?' is #t, then
- gzip and mmencode must be in the shell's path for executables.
- the default value is #t.
-
- The `file-mode' argument must be 'file or 'file-replace, indicating
- the default mode for a file in the archive. The default value is
- 'file.
-
-> (std-filter p) - returns #t unless `p' matches one of the following
- regular expressions: "CVS$", "compiled$", "~$", or "^#.*#$".
-
-> (mztar path output filter file-mode) - called by `pack' to write one
- directory/file `path' to the output port `output' using the filter
- procedure `filter' (see `pack' for a description of `filter'). The
- `file-mode' argument specifies the default mode for packing a file,
- either 'file or 'file-replace.
-
- Setup PLT as a Unit
- -------------------
-
-The _setupr.ss_ library in the setup collection contains a signed
-unit that imports
-
- setup-option^ - described below
- mzlib:file^
- compiler^ - from sig.ss in the compiler collection
- compiler:option^ - from sig.ss in the compiler collection
- launcher-maker^ - from launchers.ss in the `launcher' collection
-
-Invoking this unit starts the setup process. The _setupsig.ss_ library
-defines the
-> setup-option^
-signature, which is implemented by the unit in _setup-optionr.ss_. It
-defines the following parameters that control the setup process:
-
-> verbose - #t => prints message from `make' to stderr [default: #f]
-> make-verbose - #t => verbose `make' [default: #f]
-> compiler-verbose - #t => verbose `compiler' [default: #f]
-> clean - #t => delete .zo and .so/.dll files in the specified collections
- [default: #f]
-> make-zo - #t => compile .zo files [default #t]
-> make-so - #t => compile .so/.dll files [default: #f]
-> make-launchers - #t => make collection info.ss-specified launchers
- [default: #t]
-> call-install - #t => call collection info.ss-specified setup code
- [default: #t]
-> specific-collections - a list of collections to set up; the empty
- list means set-up all collections if the archives
- list is also empty [default: null]
-> archives - a list of .plt archives to unpack; any collections specified
- by the archives are set-up in addition to the collections
- listed in specific-collections [default: null]
-
-Thus, to unpack a single .plt archive "x.plt", set the `archives'
-parameter to (list "x.plt") and leave `specific-collections' as null.
-
-Link the options and setup units so that your option-setting code is
-initialized between them, e.g.:
-
- (compound-unit/sig
- ...
- (link ...
- [OPTIONS : setup-option^
- ((require-library "setup-optionr.ss" "setup"))]
- [MY-CODE : ()
- ((require-library "init-options.ss") OPTIONS)]
- [SETUP : ()
- ((require-library "setupr.ss" "setup")
- OPTIONS ...)])
- ...)
diff --git a/collects/setup/info.ss b/collects/setup/info.ss
deleted file mode 100644
index 480347a5..00000000
--- a/collects/setup/info.ss
+++ /dev/null
@@ -1,12 +0,0 @@
-
-(lambda (request failure)
- (case request
- [(name) "Setup PLT"]
- [(compile-prefix) `(begin
- (require-library "refer.ss")
- (require-library "setupsig.ss" "setup"))]
- [(compile-omit-files) (list "setup.ss" "setupsig.ss")]
- [(compile-elaboration-zos) (list "setupsig.ss")]
- [(mzscheme-launcher-libraries) (list "setup.ss")]
- [(mzscheme-launcher-names) (list "Setup PLT")]
- [else (failure)]))
diff --git a/collects/setup/pack.ss b/collects/setup/pack.ss
deleted file mode 100644
index abb3f454..00000000
--- a/collects/setup/pack.ss
+++ /dev/null
@@ -1,100 +0,0 @@
-
-;; Utilities for creating a .plt package, relies on gzip and mmencode
-
-(define pack
- (case-lambda
- [(dest name paths collections)
- (pack dest name paths collections std-filter #t 'file)]
- [(dest name paths collections filter)
- (pack dest name paths collections filter #t 'file)]
- [(dest name paths collections filter encode?)
- (pack dest name paths collections filter encode? 'file)]
- [(dest name paths collections filter encode? file-mode)
- (let* ([p (if encode?
- (process (format "gzip -c | mmencode > ~s" dest))
- #f)]
- [stdin (if p
- (cadr p)
- (open-output-file dest 'truncate/replace))]
- [echo (lambda (p)
- (thread
- (lambda ()
- (let loop ()
- (let ([l (read-line p 'any)])
- (unless (eof-object? l)
- (printf "~a~n" l)
- (loop)))))))]
- [t1 (and p (echo (car p)))]
- [t2 (and p (echo (list-ref p 3)))])
- (fprintf stdin "PLT~n")
- (write
- `(lambda (request failure)
- (case request
- [(name) ,name]
- [(unpacker) 'mzscheme]))
- stdin)
- (newline stdin)
- (write
- `(unit
- (import plthome mzuntar)
- (export)
- (mzuntar void)
- (quote ,collections))
- stdin)
- (newline stdin)
- (for-each
- (lambda (path)
- (mztar path stdin filter file-mode))
- paths)
- (close-output-port stdin)
- (when p
- (thread-wait t1)
- (thread-wait t2)))]))
-
-(define (mztar path output filter file-mode)
- (define (path->list p)
- (let-values ([(base name dir?) (split-path p)])
- (if (string? base)
- (append (path->list base) (list name))
- (list name))))
- (define-values (init-dir init-files)
- (if (file-exists? path)
- (let-values ([(base name dir?) (split-path path)])
- (values base (list name)))
- (values path #f)))
-
- (let loop ([dir init-dir][dpath (path->list init-dir)][files init-files])
- (printf "MzTarring ~a~a...~n" dir
- (if files (car files) ""))
- (fprintf output "~s~n~s~n" 'dir dpath)
- (for-each
- (lambda (f)
- (let* ([p (build-path dir f)]
- [filter-val (filter p)])
- (when filter-val
- (if (directory-exists? p)
- (loop p (append dpath (list f)) #f)
- (let ([len (file-size p)])
- ; (printf "MzTarring ~a~n" p)
- (fprintf output "~s~n~s~n~s~n*"
- (case filter-val
- [(file) 'file]
- [(file-replace) 'file-replace]
- [else file-mode])
- (append dpath (list f))
- len)
- (with-input-from-file p
- (lambda ()
- (let loop ()
- (let ([c (read-char)])
- (unless (eof-object? c)
- (write-char c output)
- (loop)))))))))))
- (or files (directory-list dir)))))
-
-(define (std-filter path)
- (not (or (regexp-match "CVS$" path)
- (regexp-match "compiled$" path)
- (regexp-match "~$" path)
- (regexp-match "^#.*#$" path))))
-
diff --git a/collects/setup/setup-optionr.ss b/collects/setup/setup-optionr.ss
deleted file mode 100644
index 9684dc3c..00000000
--- a/collects/setup/setup-optionr.ss
+++ /dev/null
@@ -1,19 +0,0 @@
-
-(unit/sig setup-option^
- (import)
-
- (define verbose (make-parameter #f))
- (define make-verbose (make-parameter #f))
- (define compiler-verbose (make-parameter #f))
- (define clean (make-parameter #f))
- (define make-zo (make-parameter #t))
- (define make-so (make-parameter #f))
- (define make-launchers (make-parameter #t))
- (define call-install (make-parameter #t))
- (define pause-on-errors (make-parameter #f))
-
- (define specific-collections (make-parameter null))
- (define archives (make-parameter null)))
-
-
-
diff --git a/collects/setup/setup.ss b/collects/setup/setup.ss
deleted file mode 100644
index 875d492b..00000000
--- a/collects/setup/setup.ss
+++ /dev/null
@@ -1,91 +0,0 @@
-
-(parameterize ([use-compiled-file-kinds 'none])
- (require-library "compile.ss" "compiler"))
-
-(parameterize ([use-compiled-file-kinds 'none])
- (require-library "cmdline.ss")
- (require-relative-library "setupsig.ss")
- (require-library "invoke.ss"))
-
-(define-values/invoke-unit/sig setup-option^
- (parameterize ([use-compiled-file-kinds 'none])
- (require-relative-library "setup-optionr.ss")))
-
-(define-values (x-specific-collections x-archives)
- (command-line
- "setup-plt"
- argv
- (once-each
- [("-c" "--clean") "Delete existing compiled files"
- (clean #t)]
- [("-n" "--no-zo") "Do not produce .zo files"
- (make-zo #f)]
- [("-x" "--no-launcher") "Do not produce launcher programs"
- (make-launchers #f)]
- [("-i" "--no-install") "Do not call collection-specific installers"
- (call-install #f)]
- [("-e" "--extension") "Produce native code extensions"
- (make-so #t)]
- [("-v" "--verbose") "See names of compiled files and info printfs"
- (verbose #t)]
- [("-m" "--make-verbose") "See make and compiler usual messages"
- (make-verbose #t)]
- [("-r" "--compile-verbose") "See make and compiler verbose messages"
- (make-verbose #t)
- (compiler-verbose #t)]
- [("-p" "--pause") "Pause at the end if there are any errors"
- (pause-on-errors #t)]
- [("-l") =>
- (lambda (flag . collections)
- (map list collections))
- '("Setup specific s only" "collection")])
- (=>
- (lambda (collections . archives)
- (values (if (null? collections)
- null
- (car collections))
- archives))
- '("archive")
- (lambda (s)
- (display s)
- (printf "If no or -l is specified, all collections are setup~n")
- (exit 0)))))
-
-(specific-collections x-specific-collections)
-(archives x-archives)
-
-(parameterize ([use-compiled-file-kinds (if (clean) 'none (use-compiled-file-kinds))])
- (require-library "sig.ss" "compiler"))
-
-(parameterize ([use-compiled-file-kinds (if (clean) 'none (use-compiled-file-kinds))])
- (invoke-unit/sig
- (compound-unit/sig
- (import (SOPTION : setup-option^))
- (link [STRING : mzlib:string^ ((require-library "stringr.ss"))]
- [FILE : mzlib:file^ ((require-library "filer.ss") STRING FUNCTION)]
- [FUNCTION : mzlib:function^ ((require-library "functior.ss"))]
- [COMPILE : mzlib:compile^ ((require-library "compiler.ss"))]
- [PRETTY-PRINT : mzlib:pretty-print^ ((require-library "prettyr.ss"))]
- [LAUNCHER : launcher-maker^ ((require-library "launcherr.ss" "launcher") FILE)]
- [DCOMPILE : dynext:compile^ ((require-library "compiler.ss" "dynext"))]
- [DLINK : dynext:link^ ((require-library "linkr.ss" "dynext"))]
- [DFILE : dynext:file^ ((require-library "filer.ss" "dynext"))]
- [OPTION : compiler:option^ ((require-library "optionr.ss" "compiler"))]
- [COMPILER : compiler^ ((require-library "compiler.ss" "compiler")
- OPTION
- FUNCTION
- PRETTY-PRINT
- FILE
- STRING
- COMPILE
- DCOMPILE
- DLINK
- DFILE)]
- [SETUP : () ((require-relative-library "setupr.ss")
- SOPTION
- FILE
- COMPILER
- OPTION
- LAUNCHER)])
- (export))
- setup-option^))
diff --git a/collects/setup/setupr.ss b/collects/setup/setupr.ss
deleted file mode 100644
index d5a67472..00000000
--- a/collects/setup/setupr.ss
+++ /dev/null
@@ -1,587 +0,0 @@
-
-; Expects parameters to be set before invocation.
-; Calls `exit' when done.
-
-(unit/sig ()
- (import setup-option^
- mzlib:file^
- compiler^
- (compiler:option : compiler:option^)
- launcher-maker^)
-
- (define plthome
- (or (getenv "PLTHOME")
- (let ([dir (collection-path "mzlib")])
- (and dir
- (let-values ([(base name dir?) (split-path dir)])
- (and (string? base)
- (let-values ([(base name dir?) (split-path base)])
- (and (string? base)
- (complete-path? base)
- base))))))))
-
- (define setup-fprintf
- (lambda (p s . args)
- (apply fprintf p (string-append "setup-plt: " s "~n") args)))
-
- (define setup-printf
- (lambda (s . args)
- (apply setup-fprintf (current-output-port) s args)))
-
- (setup-printf "Setup version is ~a" (version))
- (setup-printf "PLT home directory is ~a" plthome)
- (setup-printf "Collection Paths are: ~a" (current-library-collection-paths))
-
- (exit-handler
- (let ([oh (exit-handler)])
- (lambda (num)
- (let ([error-log (build-path (collection-path "setup") "errors")])
- (if (zero? num)
- (when (file-exists? error-log)
- (delete-file error-log))
- (call-with-output-file error-log
- (lambda (port)
- (show-errors port))
- 'truncate))
- (oh num)))))
-
- (define (warning s x)
- (setup-printf s
- (if (exn? x)
- (exn-message x)
- x)))
-
- (define (pretty-name f)
- (with-handlers ([void (lambda (x) f)])
- (let-values ([(base name dir?) (split-path f)])
- (format "~a in ~a" name base))))
-
- (define (call-info info flag default test)
- (with-handlers ([void (lambda (x)
- (warning
- (format "Warning: error getting ~a info: ~~a"
- flag)
- x)
- default)])
- (let ([v (info flag (lambda () default))])
- (test v)
- v)))
-
- ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;
- ;; Archive Unpacking ;;
- ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;
-
- (define (port64->port p)
- (let* ([waiting 0]
- [waiting-bits 0]
- [at-eof? #f]
- [push
- (lambda (v)
- (set! waiting (+ (arithmetic-shift waiting 6) v))
- (set! waiting-bits (+ waiting-bits 6)))])
- (make-input-port
- (lambda ()
- (let loop ()
- (if at-eof?
- eof
- (if (>= waiting-bits 8)
- (begin0
- (integer->char (arithmetic-shift waiting (- 8 waiting-bits)))
- (set! waiting-bits (- waiting-bits 8))
- (set! waiting (bitwise-and waiting (sub1 (arithmetic-shift 1 waiting-bits)))))
- (let* ([c (read-char p)]
- [n (if (eof-object? c)
- (#%char->integer #\=)
- (char->integer c))])
- (cond
- [(<= (#%char->integer #\A) n (#%char->integer #\Z)) (push (- n (#%char->integer #\A)))]
- [(<= (#%char->integer #\a) n (#%char->integer #\z)) (push (+ 26 (- n (#%char->integer #\a))))]
- [(<= (#%char->integer #\0) n (#%char->integer #\9)) (push (+ 52 (- n (#%char->integer #\0))))]
- [(= (#%char->integer #\+) n) (push 62)]
- [(= (#%char->integer #\/) n) (push 63)]
- [(= (#%char->integer #\=) n) (set! at-eof? #t)])
- (loop))))))
- (lambda ()
- (or at-eof? (char-ready? p)))
- void)))
-
- (define (port64gz->port p64gz)
- (let ([gunzip-through-ports
- (invoke-unit/sig
- (compound-unit/sig
- (import)
- (link [I : (gunzip-through-ports) ((require-library "inflater.ss"))]
- [X : () ((unit/sig () (import (gunzip-through-ports)) gunzip-through-ports) I)])
- (export)))])
- ; Inflate in a thread so the whole input isn't read at once
- (let*-values ([(pgz) (port64->port p64gz)]
- [(waiting?) #f]
- [(ready) (make-semaphore)]
- [(read-pipe write-pipe) (make-pipe)]
- [(out) (make-output-port
- (lambda (s)
- (set! waiting? #t)
- (semaphore-wait ready)
- (set! waiting? #f)
- (display s write-pipe))
- (lambda ()
- (close-output-port write-pipe)))]
- [(get) (make-input-port
- (lambda ()
- (if (char-ready? read-pipe)
- (read-char read-pipe)
- (begin
- (semaphore-post ready)
- (read-char read-pipe))))
- (lambda ()
- (or (char-ready? read-pipe) waiting?))
- (lambda ()
- (close-input-port read-pipe)))])
- (thread (lambda ()
- (with-handlers ([void (lambda (x)
- (warning "Warning: unpacking error: ~a" x))])
- (gunzip-through-ports pgz out))
- (close-output-port out)))
- get)))
-
- (define (unmztar p filter)
- (let loop ()
- (let ([kind (read p)])
- (unless (eof-object? kind)
- (case kind
- [(dir) (let ([s (apply build-path (read p))])
- (unless (relative-path? s)
- (error "expected a directory name relative path string, got" s))
- (when (filter 'dir s plthome)
- (let ([d (build-path plthome s)])
- (unless (directory-exists? d)
- (when (verbose)
- (setup-printf " making directory ~a" (pretty-name d)))
- (make-directory* d)))))]
- [(file file-replace)
- (let ([s (apply build-path (read p))])
- (unless (relative-path? s)
- (error "expected a file name relative path string, got" s))
- (let ([len (read p)])
- (unless (and (number? len) (integer? len))
- (error "expected a file name size, got" len))
- (let* ([write? (filter kind s plthome)]
- [path (build-path plthome s)])
- (let ([out (and write?
- (if (file-exists? path)
- (if (eq? kind 'file)
- #f
- (open-output-file path 'truncate))
- (open-output-file path)))])
- (when (and write? (not out))
- (setup-printf " skipping ~a; already exists" (pretty-name path)))
- (when (and out (or #t (verbose)))
- (setup-printf " unpacking ~a" (pretty-name path)))
- ; Find starting *
- (let loop ()
- (let ([c (read-char p)])
- (cond
- [(char=? c #\*) (void)] ; found it
- [(char-whitespace? c) (loop)]
- [(eof-object? c) (void)] ; signal the error below
- [else (error
- (format
- "unexpected character setting up ~a, looking for #\*"
- path)
- c)])))
- ; Copy file data
- (let loop ([n len])
- (unless (zero? n)
- (let ([c (read-char p)])
- (when (eof-object? c)
- (error (format
- "unexpected end-of-file while ~a ~a (at ~a of ~a)"
- (if out "unpacking" "skipping")
- path
- (- len n -1) len)))
- (when out
- (write-char c out)))
- (loop (sub1 n))))
- (when out
- (close-output-port out))))))]
- [else (error "unknown file tag" kind)])
- (loop)))))
-
- (define (unpack-archive archive)
- (with-handlers ([void
- (lambda (x)
- (warning (format "Warning: error unpacking ~a: ~~a"
- archive)
- x)
- null)])
- (call-with-input-file archive
- (lambda (p64)
- (let* ([p (port64gz->port p64)])
- (unless (and (eq? #\P (read-char p))
- (eq? #\L (read-char p))
- (eq? #\T (read-char p)))
- (error "not an unpackable distribution archive"))
- (let* ([n (make-namespace)]
- [info (eval (read p) n)])
- (unless (and (procedure? info)
- (procedure-arity-includes? info 2))
- (error "expected a procedure of arity 2, got" info))
- (let ([name (call-info info 'name #f
- (lambda (n)
- (unless (string? n)
- (if n
- (error "couldn't find the package name")
- (error "expected a string")))))]
- [unpacker (call-info info 'unpacker #f
- (lambda (n)
- (unless (eq? n 'mzscheme)
- (error "unpacker isn't mzscheme:" n))))])
- (unless (and name unpacker)
- (error "bad name or unpacker"))
- (setup-printf "Unpacking ~a from ~a" name archive)
- (let ([u (eval (read p) n)])
- (unless (unit? u)
- (error "expected a unit, got" u))
- (let ([plthome plthome]
- [unmztar (lambda (filter)
- (unmztar p filter))])
- (invoke-unit u plthome unmztar))))))))))
-
- (define x-specific-collections
- (apply
- append
- (specific-collections)
- (map unpack-archive (archives))))
-
- (define (done)
- (setup-printf "Done setting up"))
-
- (unless (null? (archives))
- (when (null? x-specific-collections)
- (done)
- (exit 0))) ; done
-
- ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;
- ;; Collection Compilation ;;
- ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;
-
- (define-struct cc (collection path name info))
-
- (define collection->cc
- (lambda (collection-p)
- (with-handlers ([void (lambda (x) #f)])
- (let ([dir (apply collection-path collection-p)])
- (with-handlers ([(lambda (x)
- (and (exn:i/o:filesystem? x)
- (string=? (exn:i/o:filesystem-pathname x)
- (build-path dir "info.ss"))))
- (lambda (x) #f)]
- [void
- (lambda (x)
- (warning "Warning: error loading info.ss: ~a" x)
- #f)])
- (let* ([info (parameterize ([use-compiled-file-kinds 'none])
- (apply require-library/proc "info.ss" collection-p))]
- [name (call-info info 'name #f
- (lambda (x)
- (unless (string? x)
- (error "result is not a string:" x))))])
- (and
- name
- ;(call-info info 'compile-prefix #f #t)
- (make-cc
- collection-p
- (apply collection-path collection-p)
- name
- info))))))))
-
- (define (cannot-compile c)
- (error 'setup-plt "don't know how to compile collection: ~a"
- (if (= (length c) 1)
- (car c)
- c)))
-
- (define collections-to-compile
- (if (null? x-specific-collections)
- (let ([ht (make-hash-table)])
- (let loop ([collection-paths (current-library-collection-paths)])
- (cond
- [(null? collection-paths)
- (hash-table-map ht (lambda (k v) v))]
- [else (let ([cp (car collection-paths)])
- (let loop ([collections (if (directory-exists? cp)
- (directory-list cp)
- null)])
- (cond
- [(null? collections) (void)]
- [else (let* ([collection (car collections)]
- [coll-sym (string->symbol collection)])
- (hash-table-get
- ht
- coll-sym
- (lambda ()
- (let ([cc (collection->cc (list collection))])
- (when cc
- (hash-table-put!
- ht
- coll-sym
- cc))))))
- (loop (cdr collections))])))
- (loop (cdr collection-paths))])))
- (map
- (lambda (c)
- (or (collection->cc c)
- (cannot-compile c)))
- x-specific-collections)))
-
- (define control-io-apply
- (lambda (print-doing f args)
- (if (make-verbose)
- (begin
- (apply f args)
- #t)
- (let* ([oop (current-output-port)]
- [printed? #f]
- [on? #f]
- [op (make-output-port
- (lambda (s)
- (let loop ([s s])
- (if on?
- (let ([m (regexp-match-positions (string #\newline) s)])
- (if m
- (begin
- (set! on? #f)
- (when (verbose)
- (display (substring s 0 (add1 (caar m))) oop)
- (flush-output oop))
- (loop (substring s (add1 (caar m)) (string-length s))))
- (when (verbose)
- (display s oop)
- (flush-output oop))))
- (let ([m (or (regexp-match-positions "making" s)
- (regexp-match-positions "compiling" s))])
- (when m
- (unless printed?
- (set! printed? #t)
- (print-doing oop))
- (set! on? #t)
- (when (verbose)
- (display " " oop)) ; indentation
- (loop (substring s (caar m) (string-length s))))))))
- void)])
- (parameterize ([current-output-port op])
- (apply f args)
- printed?)))))
-
- ; Close over sub-collections
- (set! collections-to-compile
- (let loop ([l collections-to-compile])
- (if (null? l)
- null
- (let* ([cc (car l)]
- [info (cc-info cc)])
- (append
- (list cc)
- (map
- (lambda (subcol)
- (or
- (collection->cc subcol)
- (cannot-compile subcol)))
- (call-info info 'compile-subcollections null
- (lambda (x)
- (unless (and (list? x)
- (andmap
- (lambda (x)
- (list? x)
- (andmap
- (lambda (x)
- (and (string? x)
- (relative-path? x)))
- x))
- x))
- (error "result is not a list of relative path string lists:" x)))))
- (loop (cdr l)))))))
-
- (define (delete-files-in-directory path printout)
- (for-each
- (lambda (end-path)
- (let ([path (build-path path end-path)])
- (cond
- [(directory-exists? path)
- (void)]
- [(file-exists? path)
- (printout)
- (unless (delete-file path)
- (error 'delete-files-in-directory
- "unable to delete file: ~a" path))]
- [else (error 'delete-files-in-directory
- "encountered ~a, neither a file nor a directory"
- path)])))
- (directory-list path)))
-
- (define (is-subcollection? collection sub-coll)
- (cond
- [(null? collection) #t]
- [(null? sub-coll) #f]
- [else (and (string=? (car collection) (car sub-coll))
- (is-subcollection? (cdr collection) (cdr sub-coll)))]))
-
- (define (clean-collection cc)
- (let* ([info (cc-info cc)]
- [default (box 'default)]
- [paths (call-info
- info
- 'clean
- (list "compiled" (build-path "compiled" "native" (system-library-subpath)))
- (lambda (x)
- (unless (or (eq? x default)
- (and (list? x)
- (andmap string? x)))
- (error 'setup-plt "expected a list of strings for 'clean, got: ~s"
- x))))]
- [printed? #f]
- [print-message
- (lambda ()
- (unless printed?
- (set! printed? #t)
- (setup-printf "Deleting files for ~a." (cc-name cc))))])
- (for-each (lambda (path)
- (let ([full-path (build-path (cc-path cc) path)])
- (cond
- [(directory-exists? full-path)
- (delete-files-in-directory
- full-path
- print-message)]
- [(file-exists? full-path)
- (delete-file full-path)
- (print-message)]
- [else (void)])))
- paths)))
-
- (when (clean)
- (for-each clean-collection collections-to-compile))
-
- (when (or (make-zo) (make-so))
- (compiler:option:verbose (compiler-verbose))
- (compiler:option:compile-subcollections #f))
-
- (define errors null)
- (define (record-error cc desc go)
- (with-handlers ([(lambda (x) (not (exn:misc:user-break? x)))
- (lambda (x)
- (if (exn? x)
- (begin
- (fprintf (current-error-port) "~a~n" (exn-message x))
- (when (defined? 'print-error-trace)
- ((global-defined-value 'print-error-trace)
- (current-error-port)
- x)))
- (fprintf (current-error-port) "~s~n" x))
- (set! errors (cons (list cc desc x) errors)))])
- (go)))
- (define (show-errors port)
- (for-each
- (lambda (e)
- (let ([cc (car e)]
- [desc (cadr e)]
- [x (caddr e)])
- (setup-fprintf port
- " Error during ~a for ~a (~a)"
- desc (cc-name cc) (cc-path cc))
- (if (exn? x)
- (setup-fprintf port " ~a" (exn-message x))
- (setup-fprintf port " ~s" x))))
- errors))
-
- (define (make-it desc compile-collection)
- (for-each (lambda (cc)
- (record-error
- cc
- (format "Making ~a" desc)
- (lambda ()
- (unless (let ([b (box 1)]) (eq? b ((cc-info cc) 'compile-prefix (lambda () b))))
- (unless (control-io-apply
- (lambda (p) (setup-fprintf p "Making ~a for ~a at ~a" desc (cc-name cc) (cc-path cc)))
- compile-collection
- (cc-collection cc))
- (setup-printf "No need to make ~a for ~a at ~a" desc (cc-name cc) (cc-path cc)))))))
- collections-to-compile))
-
- (when (make-zo) (make-it ".zos" compile-collection-zos))
- (when (make-so) (make-it "extension" compile-collection-extension))
-
- (when (make-launchers)
- (let ([name-list
- (lambda (l)
- (unless (and (list? l)
- (andmap (lambda (x)
- (and (string? x)
- (relative-path? x)))
- l))
- (error "result is not a list of relative path strings:" l)))])
- (for-each (lambda (cc)
- (record-error
- cc
- "Launcher Setup"
- (lambda ()
- (when (= 1 (length (cc-collection cc)))
- (let ([info (cc-info cc)])
- (map
- (lambda (kind
- mzscheme-launcher-libraries
- mzscheme-launcher-names
- mzscheme-program-launcher-path
- install-mzscheme-program-launcher)
- (let ([mzlls (call-info info mzscheme-launcher-libraries null
- name-list)]
- [mzlns (call-info info mzscheme-launcher-names null
- name-list)])
- (if (= (length mzlls) (length mzlns))
- (map
- (lambda (mzll mzln)
- (let ([p (mzscheme-program-launcher-path mzln)])
- (unless (file-exists? p)
- (setup-printf "Installing ~a launcher ~a" kind p)
- (install-mzscheme-program-launcher
- mzll
- (car (cc-collection cc))
- mzln))))
- mzlls mzlns)
- (setup-printf "Warning: ~a launcher library list ~s doesn't match name list ~s"
- kind mzlls mzlns))))
- '("MzScheme" "MrEd")
- '(mzscheme-launcher-libraries mred-launcher-libraries)
- '(mzscheme-launcher-names mred-launcher-names)
- (list mzscheme-program-launcher-path mred-program-launcher-path)
- (list install-mzscheme-program-launcher install-mred-program-launcher)))))))
- collections-to-compile)))
-
- (when (call-install)
- (for-each (lambda (cc)
- (let/ec k
- (record-error
- cc
- "General Install"
- (lambda ()
- (let ([t ((cc-info cc) 'install-collection (lambda () (k #f)))])
- (unless (and (procedure? t)
- (procedure-arity-includes? t 1))
- (error 'setup-plt
- "install-collection: result is not a procedure of arity 1 for ~a"
- (cc-name cc)))
- (setup-printf "Installing ~a" (cc-name cc))
- (t plthome))))))
- collections-to-compile))
-
- (done)
-
- (unless (null? errors)
- (setup-printf "")
- (show-errors (current-error-port))
- (when (pause-on-errors)
- (fprintf (current-error-port)
- "INSTALLATION FAILED.~nPress Enter to continue...~n")
- (read-line))
- (exit 1))
-
- (exit 0))
diff --git a/collects/setup/setupsig.ss b/collects/setup/setupsig.ss
deleted file mode 100644
index 72b59fca..00000000
--- a/collects/setup/setupsig.ss
+++ /dev/null
@@ -1,20 +0,0 @@
-
-(begin-elaboration-time
- (require-library "launchers.ss" "launcher")
- (require-library "dynexts.ss" "dynext")
- (require-library "functios.ss")
- (require-library "files.ss")
- (require-library "sig.ss" "compiler"))
-
-(define-signature setup-option^
- (verbose
- make-verbose
- compiler-verbose
- clean
- make-zo
- make-so
- make-launchers
- call-install
- pause-on-errors
- specific-collections
- archives))
diff --git a/collects/slatex/doc.txt b/collects/slatex/doc.txt
deleted file mode 100644
index 8606177a..00000000
--- a/collects/slatex/doc.txt
+++ /dev/null
@@ -1,38 +0,0 @@
-_SLaTeX_
-========
-
-The use SLaTeX as a standalone program, either drag your .tex file onto
-SLaTeX (on the macintosh or windows), or type "slatex file" at the command
-prompt (under windows or X).
-
-Under the macintosh, SLaTeX will attempt to run OzTeX. If you do not have
-OzTeX installed, or use another version of LaTeX, this will fail and you
-can run your own version manually.
-
-To use SLaTeX in a program, require _slatex.ss_:
-
- (require-library "slatex.ss" "slatex")
-
-The file slatex.ss defines three procedures:
-
-> (slatex filename)
-
-This procedure accepts a string naming a file and runs slatex and latex on
-the file. It calls `filename->latex-filename' on `filename'.
-
-> (slatex/no-latex filename)
-
-This procedure slatex's the file named by filename, without calling
-latex. That is, it only processes the .tex file to produce the .Z files.
-It calls filename->latex-filename on `filename'.
-
-> (latex filename)
-
-This procedure `latex's the file named by filename. It calls
-filename->latex-filename on `filename'.
-
-> (filename->latex-filename filename)
-
-This procedure accepts a filename and, if that file exists, it returns
-it. If the filename appended with the suffix `.tex' exists, that filename
-is returned. Otherwise, error is called.
diff --git a/collects/slatex/info.ss b/collects/slatex/info.ss
deleted file mode 100644
index dabb83da..00000000
--- a/collects/slatex/info.ss
+++ /dev/null
@@ -1,23 +0,0 @@
-(lambda (request fail)
- (case request
- ((name) "SLaTeX")
- ((install-collection)
- (lambda (plt-home)
- (unless (file-exists? (build-path (collection-path "slatex") "compiled" "slatexsrc.zo"))
- (let ([slatex-code-directory (build-path (collection-path "slatex") "slatex-code")]
- [compiled-directory (build-path (collection-path "slatex") "compiled")])
- (parameterize ([current-namespace (make-namespace)]
- [current-output-port (make-output-port void void)]
- [current-directory slatex-code-directory])
- (require-library "slaconfg.scm" "slatex" "slatex-code"))
- (unless (directory-exists? compiled-directory)
- (make-directory compiled-directory))
- (copy-file (build-path slatex-code-directory "slatex.scm") ; this file is actually a .zo file
- (build-path compiled-directory "slatexsrc.zo"))))
- (require-library "launcher.ss" "launcher")
- (make-mzscheme-launcher
- (list "-qge"
- "(require-library \"slatex-launcher.scm\"
- \"slatex\")")
- (mzscheme-program-launcher-path "SLaTeX"))))
- (else (fail))))
diff --git a/collects/slatex/slatex-code/2col.tex b/collects/slatex/slatex-code/2col.tex
deleted file mode 100644
index b843f07d..00000000
--- a/collects/slatex/slatex-code/2col.tex
+++ /dev/null
@@ -1,54 +0,0 @@
-% from the TeXbook, p. 257
-
-\newdimen\fullhsize
-\fullhsize\hsize
-
-\def\fullline{\hbox to\fullhsize}
-
-\ifx\plainmakeheadline\undefined
-% ensure that we do this only once!
-\let\plainmakeheadline\makeheadline
-\let\plainmakefootline\makefootline
-\fi
-
-% the text width spans both columns, as far as
-% head- and footlines are concerned
-
-\def\textwideline{\hbox to\fullhsize}
-
-\def\makeheadline{{\let\line\textwideline\plainmakeheadline}}
-\def\makefootline{{\let\line\textwideline\plainmakefootline}}
-
-% space between the two columns -- can be changed
-% immediately after loading 2col
-
-\def\gutter#1{\hsize\fullhsize
-\advance\hsize-#1
-\hsize.5\hsize
-}
-
-\gutter{1.5pc}
-
-\let\lr=L
-
-\newbox\leftcolumn
-
-\output={\if L\lr
-\global\setbox\leftcolumn=\columnbox
-\global\let\lr=R\else
-\doubleformat
-\global\let\lr L\fi
-\ifnum\outputpenalty>-20000 \else
-\dosupereject\fi}
-
-\def\doubleformat{\shipout\vbox{\makeheadline
-\fullline{\box\leftcolumn\hfil\columnbox}%
-\makefootline}\advancepageno}
-
-\def\columnbox{\leftline{\pagebody}}
-
-% \bye cleans up.
-
-\outer\def\bye{\vfill\supereject
-\if R\lr\null\vfill\eject\fi
-\end}
diff --git a/collects/slatex/slatex-code/8pt.tex b/collects/slatex/slatex-code/8pt.tex
deleted file mode 100644
index 2de4a4f2..00000000
--- a/collects/slatex/slatex-code/8pt.tex
+++ /dev/null
@@ -1,49 +0,0 @@
-\ifdim\the\fontdimen2\tenrm=3.33333pt
-% almost definitely using CM fonts
-\font\eightrm cmr8
-\font\eighti cmmi8
-\font\eightsy cmsy8
-\font\eightit cmti8
-\font\eightbf cmbx8
-\font\eighttt cmtt8
-\else\ifx\ljmagnification\undefined
-\def\fontstem#1{\expandafter\fontstemII\fontname#1 \end}%
-\def\fontstemII#1 #2\end{#1 }%
-\font\eightrm \fontstem\tenrm at 8pt
-\font\eighti cmmi8
-\font\eightsy cmsy8
-\font\eightit \fontstem\tenit at 8pt
-\font\eightbf \fontstem\tenbf at 8pt
-\font\eighttt \fontstem\tentt at 8pt
-\else
-\setcountCCLVtoljmag
-\font\eighti cmmi8 scaled \count255
-\font\eightsy cmsy8 scaled \count255
-\multiply\count255 by 4
-\divide\count255 by 5
-\font\eightrm \fontstem\tenrm scaled \count255
-\font\eightit \fontstem\tenit scaled \count255
-\font\eightbf \fontstem\tenbf scaled \count255
-\font\eighttt \fontstem\tentt scaled \count255
-\fi\fi
-
-\skewchar\eighti'177
-\skewchar\eightsy'60
-
-\def\eightpoint{%
-\textfont0\eightrm
-\textfont1\eighti
-\textfont2\eightsy
-\textfont\itfam\eightit
-\textfont\bffam\eightbf
-\textfont\ttfam\eighttt
-\def\rm{\fam0\eightrm}%
-\def\oldstyle{\fam1\eighti}%
-\def\it{\fam\itfam\eightit}%
-\def\bf{\fam\bffam\eightbf}%
-\def\tt{\fam\ttfam\eighttt}%
-\rm
-\setbox\strutbox\hbox{\vrule height .85em depth .35em width
-0pt }%
-\normalbaselineskip 1.2em
-\normalbaselines}
diff --git a/collects/slatex/slatex-code/README b/collects/slatex/slatex-code/README
deleted file mode 100644
index 2ae6bd88..00000000
--- a/collects/slatex/slatex-code/README
+++ /dev/null
@@ -1,114 +0,0 @@
-README
-SLaTeX Version 2.4
-(c) Dorai Sitaram
-dorai@cs.rice.edu
-
-Read me first
-
- ...
-
-1. A brief description of SLaTeX
-
-SLaTeX is a Scheme program that allows you to write program
-code (or code fragments) "as is" in your LaTeX or TeX
-source. SLaTeX is particularly geared to the programming
-languages Scheme (R5RS) and other Lisps, e.g., Common Lisp.
-The formatting of the code includes assigning appropriate
-fonts to the various tokens in the code (keywords,
-variables, constants, data), at the same time retaining the
-proper indentation when going to the non-monospace
-(non-typewriter) fonts provided by TeX. SLaTeX comes with
-two databases that recognize the identifier conventions of
-Scheme and CL respectively.
-
-While it is certainly possible to get by with a minimal
-knowledge of SLaTeX commands, the package comes with a
-variety of features for manipulating output positioning,
-modifying/enhancing the database, changing the fonting
-defaults, adding special symbols, and selective disabling of
-SLaTeX. For a detailed documentation of SLaTeX, run slatex
-on the file slatxdoc.tex in the SLaTeX distribution after
-finishing the installation process.
-
- ...
-
-2. Obtaining SLaTeX
-
-SLaTeX is available at the URL
-http://www.cs.rice.edu/CS/PLT/packages/slatex/slatex.tar.gz.
-Ungzipping and untarring produces a directory slatex,
-containing the SLaTeX files. (The file "manifest" lists the
-files in the distribution -- make sure nothing is missing.)
-
- ...
-
-3. Requisites for installing SLaTeX
-
-SLaTeX is implemented in R5RS-compliant Scheme -- macros are
-not needed. The code uses the non-standard procedures
-delete-file, file-exists? and flush-output, but a Scheme
-without these procedures can also run SLaTeX. The
-configuration defines the corresponding variables to be
-dummy procedures, since they are not crucial. The
-distribution comes with code to allow SLaTeX to run also on
-Common Lisp. The dialects that SLaTeX has run successfully
-on are: Bigloo, Chez Scheme, CLISP, Elk, Gnu Common Lisp,
-Gambit, Guile, Ibuki Common Lisp, MIT C Scheme, MzScheme,
-Scheme-to-C, SCM, UMB Scheme, and VSCM on Unix; MzScheme on
-Windows 95; CLISP and SCM on OS/2; Austin Kyoto Common Lisp,
-CLISP, MIT C Scheme, and SCM on MSDOS; and Macintosh Common
-Lisp on Mac OS.
-
- ...
-
-4. Installing SLaTeX
-
-Refer to the file "install" for configuring SLaTeX to your
-dialect and ways of invoking it on your (La)TeX files.
-
- ...
-
-5. Using SLaTeX
-
-The file slatxdoc.tex is a manual describing "How to Use
-SLaTeX". A version of the corresponding .dvi file,
-slatxdoc.dvi, is included in the distribution, but you could
-create your own (and thereby check that SLaTeX works on your
-system). Save the provided slatxdoc.dvi file in case your
-setup doesn't work, and type
-
-slatex slatxdoc
-
-You may create a file slatxdoc.ind that arranges the index
-information from the file slatxdoc.idx generated by LaTeX.
-Run LaTeX on slatxdoc another time to sort out the index and
-the citations.
-
-If you have run Scheme (or CL) on config.scm (Sec. 1 of
-install) but haven't been able to decide how to set up the
-paths or the shell/bat script or the most suitable invoking
-method (Sec. 2 and 3 of install), perform the following
-actions (in the directory where you unpacked the
-distribution) to get slatxdoc.dvi:
-
-1) Start up Scheme (or CL).
-
-2) Type (load "slatex.scm").
-
-3) Type (SLaTeX.process-main-tex-file "slatxdoc").
-
-4) Exit Scheme (or CL).
-
-5) Call latex on slatxdoc.tex. (Use makeindex to generate
-slatxdoc.ind, if possible. Call latex a second time to get
-the citations right and to generate an index if available.)
-
- ...
-
-6. Bugs, etc.
-
-Bug reports, flames, criticisms and suggestions are
-most welcome -- send to
-
-Dorai Sitaram
-dorai@cs.rice.edu
diff --git a/collects/slatex/slatex-code/aliases.scm b/collects/slatex/slatex-code/aliases.scm
deleted file mode 100644
index 550f62e2..00000000
--- a/collects/slatex/slatex-code/aliases.scm
+++ /dev/null
@@ -1,125 +0,0 @@
-(make-slatex-alias
- '(
- global-adjoin adjoin
- global-assoc assoc
- global-delete delete
- global-error error
- global-make-string make-string
- global-member member
- global-peek-char peek-char
- global-read read
- global-read-char read-char
- global-string string
- ))
-
-(case dialect
- ((bigloo) 'skip
- )
- ((chez)
- (make-slatex-alias
- '(
- force-output flush-output
- some ormap
- )))
- ((cl)
- (make-slatex-alias
- `(
- adjoin slatex::%adjoin
- append! nconc
- assoc slatex::%assoc
- begin progn
- char? characterp
- char=? char=
- char-alphabetic? alpha-char-p
- delete slatex::%delete
- display princ
- else t
- eq? eq
- equal? equal
- eqv? eql
- file-exists? probe-file
- fluid-let let
- for-each mapc
- integer->char code-char
- lambda slatex::%lambda
- let slatex::%let
- list-tail subseq
- make-string slatex::%make-string
- map mapcar
- member slatex::%member
- memq member
- memv member
- newline terpri
- null? null
- pair? consp
- peek-char slatex::%peek-char
- position-char position
- read slatex::%read
- read-char slatex::%read-char
- *return* ,(read-from-string "#\\return")
- reverse! nreverse
- set! setq
- set-car! rplaca
- set-cdr! rplacd
- string slatex::%string
- string=? string=
- string-ci=? string-equal
- string-length length
- string-ref char
- sublist subseq
- substring subseq
- *tab* ,(read-from-string "#\\tab")
- void values
- )))
- ((cscheme)
- (make-slatex-alias
- `(
- mapcan append-map!
- *return* ,(with-input-from-string "#\\return" read)
- *tab* ,(with-input-from-string "#\\tab" read)
- )))
- ((elk)
- (make-slatex-alias
- '(
- force-output flush-output-port
- )))
- ((gambit)
- (make-slatex-alias
- '(
- force-output flush-output
- )))
- ((guile)
- (make-slatex-alias
- `(
- *return* ,(call-with-input-string "#\\return" read)
- *tab* ,(call-with-input-string "#\\tab" read)
- )))
- ((mzscheme)
- (make-slatex-alias
- `(
- force-output flush-output
- some ormap
- *return* ,(let ((i (open-input-string "#\\return")))
- (begin0 (read i) (close-input-port i)))
- *tab* ,(let ((i (open-input-string "#\\tab")))
- (begin0 (read i) (close-input-port i)))
- )))
- ((pcsge) 'skip
- )
- ((scm)
- (make-slatex-alias
- `(
- *return* ,(call-with-input-string "#\\return" read)
- *tab* ,(call-with-input-string "#\\tab" read)
- )))
- ((stk)
- (make-slatex-alias
- `(
- force-output flush
- )))
- ((vscm)
- (make-slatex-alias
- '(
- delete-file remove-file
- force-output flush
- ))))
diff --git a/collects/slatex/slatex-code/batconfg.lsp b/collects/slatex/slatex-code/batconfg.lsp
deleted file mode 100644
index ada53d7d..00000000
--- a/collects/slatex/slatex-code/batconfg.lsp
+++ /dev/null
@@ -1,197 +0,0 @@
-;batconfg.lsp
-;Configures SLaTeX batfile/shellscript (CL version)
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-#+gcl
-(or (find-package :slatex) (make-package :slatex))
-
-#-gcl
-(defpackage slatex (:use cl))
-
-(set-dispatch-macro-character #\# #\t
- #'(lambda (p ig ig2)
- (declare (ignore ig ig2))
- t))
-
-(set-dispatch-macro-character #\# #\f
- #'(lambda (p ig ig2)
- (declare (ignore ig ig2))
- nil))
-
-(format t "~&Beginning configuring command script -- wait...")
-
-(defvar *slatex-directory* (directory-namestring *load-pathname*))
-
-(defvar *op-sys*)
-(defvar cl-pathname)
-(defvar slatex-pathname)
-(defvar texinputs)
-(defvar texinputs-list)
-(defvar accepts-echo)
-(defvar accepts-cmdline-file)
-(defvar accepts-initfile)
-(defvar system-procedure nil)
-
-#+clisp
-(setf system-procedure 'run-shell-command)
-
-(with-open-file (inp (concatenate 'string *slatex-directory*
- "config.dat")
- :direction :input)
- (read inp) ;we already know dialect
- (setf *op-sys* (read inp)
- cl-pathname (read inp)
- slatex-pathname (read inp)
- texinputs (read inp)
- texinputs-list (read inp)
- accepts-echo (read inp)
- accepts-cmdline-file (read inp)
- accepts-initfile (read inp)) )
-
-(defvar bat-file)
-(setf bat-file
- (concatenate 'string *slatex-directory*
- (case *op-sys*
- ((os2 os2fat) "slatex.cmd")
- ((windows dos) "slatex.bat")
- (unix "slatex"))))
-
-(unless (eq *op-sys* 'mac-os)
- (if (probe-file bat-file) (delete-file bat-file)))
-
-(defun princn (x o)
- (princ x o)
- (terpri o))
-
-(defun n (o)
- (terpri o))
-
-(with-open-file
- (o bat-file :direction :output)
- (case *op-sys*
- ((unix)
- (cond (accepts-echo
- (princn "echo '" o)
- (princ "(load " o)
- (prin1 slatex-pathname o)
- (princn ")" o)
- (princ "(setq slatex::*texinputs* " o)
- (prin1 texinputs o)
- (princn ")" o)
- (princ "(setq slatex::*texinputs-list* `" o)
- (prin1 texinputs-list o)
- (princn ")" o)
- (princ "(slatex::process-main-tex-file \"'$1'\")' | " o)
- (princn cl-pathname o))
- (accepts-cmdline-file
- (princ "echo '(load " o)
- (prin1 slatex-pathname o)
- (princn ")' > Zslatex.jnk" o)
- (princ "echo '(setq slatex::*texinputs* " o)
- (prin1 texinputs o)
- (princn ")' >> Zslatex.jnk" o)
- (princ "echo '(setq slatex::*texinputs-list* `" o)
- (prin1 texinputs-list o)
- (princn ")' >> Zslatex.jnk" o)
- (princn "echo '(slatex::process-main-tex-file \"'$1'\")' >> Zslatex.jnk" o)
- (princn "echo '(slatex::exit-scheme)' >> Zslatex.jnk" o)
- (princ cl-pathname o)
- (princ " " o)
- (princ accepts-cmdline-file o)
- (princn " Zslatex.jnk" o)
- (princn "rm -f Zslatex.jnk" o))
- (accepts-initfile
- (princ "echo '(load " o)
- (prin1 slatex-pathname o)
- (princ ")' > " o)
- (princn accepts-initfile o)
- (princ "echo '(setq slatex::*texinputs* " o)
- (prin1 texinputs o)
- (princ ")' >> " o)
- (princn accepts-initfile o)
- (princ "echo '(setq slatex::*texinputs-list* (quote " o)
- (prin1 texinputs-list o)
- (princ ")' >> " o)
- (princn accepts-initfile o)
- (princ "echo '(slatex::process-main-tex-file \"'$1'\")' >> " o)
- (princn accepts-initfile o)
- (princn cl-pathname o)
- (princ "rm -f " o)
- (princn accepts-initfile o)))
- (princn "if test -f pltexchk.jnk" o)
- (princn "then tex $1; rm pltexchk.jnk" o)
- (princn "else latex $1" o)
- (princn "fi" o))
- ((windows dos os2fat os2)
- (princn "@echo off" o)
- (cond (accepts-echo
- (princ "echo (load " o)
- (prin1 slatex-pathname o)
- (princn ") > Zslatex.jnk" o)
- (princ "echo (setq slatex::*texinputs* " o)
- (prin1 texinputs o)
- (princn ") >> Zslatex.jnk" o)
- (princ "echo (setq slatex::*texinputs-list* '" o)
- (prin1 texinputs-list o)
- (princn ") >> Zslatex.jnk" o)
- (princn "echo (slatex::process-main-tex-file \"%1\") >> Zslatex.jnk" o)
- (princn "echo (slatex::exit-scheme) >> Zslatex.jnk" o)
- (princ "echo (load \"Zslatex.jnk\") | " o)
- (princn cl-pathname o)
- (princn "del Zslatex.jnk" o))
- (accepts-cmdline-file
- (princ "echo (load " o)
- (prin1 slatex-pathname o)
- (princn ") > Zslatex.jnk" o)
- (princ "echo (setq slatex::*texinputs* " o)
- (prin1 texinputs o)
- (princn ") >> Zslatex.jnk" o)
- (princ "echo (setq slatex::*texinputs-list* '" o)
- (prin1 texinputs-list o)
- (princn ") >> Zslatex.jnk" o)
- (princn "echo (slatex::process-main-tex-file \"%1\") >> Zslatex.jnk" o)
- (princn "echo (slatex::exit-scheme) >> Zslatex.jnk" o)
- (princ cl-pathname o)
- (princ " " o)
- (princ accepts-cmdline-file o)
- (princn " Zslatex.jnk" o)
- (princn "del Zslatex.jnk" o))
- (accepts-initfile
- (princ "echo (load " o)
- (prin1 slatex-pathname o)
- (princ ") > " o)
- (princn accepts-initfile o)
- (princ "echo (setq slatex::*texinputs* " o)
- (prin1 texinputs o)
- (princ ") >> " o)
- (princn accepts-initfile o)
- (princ "echo (setq slatex::*texinputs-list* '" o)
- (prin1 texinputs-list o)
- (princ ") >> " o)
- (princn accepts-initfile o)
- (princ "echo (slatex::process-main-tex-file \"%1\") >> " o)
- (princn accepts-initfile o)
- (princ "echo (slatex::exit-scheme) >> " o)
- (princn accepts-initfile o)
- (princn cl-pathname o)
- (princ "del " o)
- (princn accepts-initfile o)))
- (princn "if exist pltexchk.jnk goto one" o)
- (princn "goto two" o)
- (princn ":one" o)
- (princn "call tex %1" o)
- (princn "del pltexchk.jnk" o)
- (princn "goto end" o)
- (princn ":two" o)
- (princn "call latex %1" o)
- (princn ":end" o))))
-
-(format t "~&Finished configuring command script.~%")
-
-(when (eq *op-sys* 'unix)
- #+(or allegro clisp)
- (run-shell-command "chmod +x slatex")
- #+gcl
- (system "chmod +x slatex")
- #-(or gcl clisp)
- (format t "~&Type (chmod +x slatex) on Unix command line~%"))
diff --git a/collects/slatex/slatex-code/batconfg.scm b/collects/slatex/slatex-code/batconfg.scm
deleted file mode 100644
index 30992722..00000000
--- a/collects/slatex/slatex-code/batconfg.scm
+++ /dev/null
@@ -1,206 +0,0 @@
-;batconfg.scm;-*-scheme-*-
-;Configures SLaTeX batfile/shellscript (Scheme version)
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(display "Beginning configuring command script -- wait...")
-(newline)
-
-(define dialect 'forward)
-(define *op-sys* 'forward)
-(define scheme-pathname 'forward)
-(define slatex-pathname 'forward)
-(define texinputs 'forward)
-(define texinputs-list 'forward)
-(define accepts-echo 'forward)
-(define accepts-cmdline-file 'forward)
-(define accepts-initfile 'forward)
-(define system-procedure #f)
-
-(call-with-input-file "config.dat"
- (lambda (ip)
- (set! dialect (read ip))
- (set! *op-sys* (read ip))
- (set! scheme-pathname (read ip))
- (set! slatex-pathname (read ip))
- (set! texinputs (read ip))
- (set! texinputs-list (read ip))
- (set! accepts-echo (read ip))
- (set! accepts-cmdline-file (read ip))
- (set! accepts-initfile (read ip))
- (cond ((or (eof-object? dialect)
- (eof-object? *op-sys*)
- (eof-object? scheme-pathname)
- (eof-object? slatex-pathname)
- (eof-object? texinputs)
- (eof-object? texinputs-list)
- (eof-object? accepts-echo)
- (eof-object? accepts-cmdline-file)
- (eof-object? accepts-initfile))
- (error "config.dat has too few answers"))
- ((eof-object? (read ip)) #t)
- (else (error "config.dat has too many answers")))))
-
-(case dialect
- ((bigloo chez cscheme guile mzscheme scm stk)
- (set! system-procedure 'system)))
-
-(define bat-file 'forward)
-
-(case *op-sys*
- ((os2 os2bat)
- (set! bat-file "slatex.cmd"))
- ((windows dos)
- (set! bat-file "slatex.bat"))
- ((unix)
- (set! bat-file "slatex")))
-
-;(if (memq *op-sys* '(unix windows dos os2fat os2)) ;why here?
-
-(if (memq dialect '(bigloo chez cscheme guile mzscheme pcsge scm))
- (if (file-exists? bat-file)
- (delete-file bat-file)))
-
-(define modified-newline newline)
-
-(cond ((and (eq? dialect 'mzscheme)
- (memq *op-sys* '(windows dos)))
- (set! modified-newline
- (let ((cr (integer->char 13))
- (lf (integer->char 10)))
- (lambda (o)
- (display cr o)
- (display lf o))))))
-
-(define princn
- (lambda (x o)
- (display x o)
- (modified-newline o)))
-
-(call-with-output-file bat-file
- (lambda (o)
- (case *op-sys*
- ((unix)
- (cond (accepts-echo
- (princn "echo '" o)
- (display "(load " o)
- (write slatex-pathname o)
- (princn ")" o)
- (display "(set! slatex::*texinputs* " o)
- (write texinputs o)
- (princn ")" o)
- (display "(set! slatex::*texinputs-list* `" o)
- (write texinputs-list o)
- (princn ")" o)
- (display "(slatex::process-main-tex-file \"'$1'\")' | " o)
- (princn scheme-pathname o))
- (accepts-cmdline-file
- (display "echo '(load " o)
- (write slatex-pathname o)
- (princn ")' > Zslatex.jnk" o)
- (display "echo '(set! slatex::*texinputs* " o)
- (write texinputs o)
- (princn ")' >> Zslatex.jnk" o)
- (display "echo '(set! slatex::*texinputs-list* `" o)
- (write texinputs-list o)
- (princn ")' >> Zslatex.jnk" o)
- (princn "echo '(slatex::process-main-tex-file \"'$1'\")' >> Zslatex.jnk" o)
- (princn "echo '(slatex::exit-scheme)' >> Zslatex.jnk" o)
- (display scheme-pathname o)
- (display " " o)
- (display accepts-cmdline-file o)
- (princn " Zslatex.jnk" o)
- (princn "rm -f Zslatex.jnk" o))
- (accepts-initfile
- (display "echo '(load " o)
- (write slatex-pathname o)
- (display ")' > " o)
- (princn accepts-initfile o)
- (display "echo '(set! slatex::*texinputs* " o)
- (write texinputs o)
- (display ")' >> " o)
- (princn accepts-initfile o)
- (display "echo '(set! slatex::*texinputs-list* (quote " o)
- (write texinputs-list o)
- (display ")' >> " o)
- (princn accepts-initfile o)
- (display "echo '(slatex::process-main-tex-file \"'$1'\")' >> " o)
- (princn accepts-initfile o)
- (princn scheme-pathname o)
- (display "rm -f " o)
- (princn accepts-initfile o)))
- (princn "if test -f pltexchk.jnk" o)
- (princn "then tex $1; rm pltexchk.jnk" o)
- (princn "else latex $1" o)
- (princn "fi" o))
- ((windows dos os2fat os2)
- (princn "@echo off" o)
- (cond (accepts-echo
- (display "echo (load " o)
- (write slatex-pathname o)
- (princn ") > Zslatex.jnk" o)
- (display "echo (set! slatex::*texinputs* " o)
- (write texinputs o)
- (princn ") >> Zslatex.jnk" o)
- (display "echo (set! slatex::*texinputs-list* '" o)
- (write texinputs-list o)
- (princn ") >> Zslatex.jnk" o)
- (princn "echo (slatex::process-main-tex-file \"%1\") >> Zslatex.jnk" o)
- (princn "echo (slatex::exit-scheme) >> Zslatex.jnk" o)
- (display "echo (load \"Zslatex.jnk\") | " o)
- (princn scheme-pathname o)
- (princn "del Zslatex.jnk" o))
- (accepts-cmdline-file
- (display "echo (load " o)
- (write slatex-pathname o)
- (princn ") > Zslatex.jnk" o)
- (display "echo (set! slatex::*texinputs* " o)
- (write texinputs o)
- (princn ") >> Zslatex.jnk" o)
- (display "echo (set! slatex::*texinputs-list* '" o)
- (write texinputs-list o)
- (princn ") >> Zslatex.jnk" o)
- (princn "echo (slatex::process-main-tex-file \"%1\") >> Zslatex.jnk" o)
- (princn "echo (slatex::exit-scheme) >> Zslatex.jnk" o)
- (display scheme-pathname o)
- (display " " o)
- (display accepts-cmdline-file o)
- (display " Zslatex.jnk" o)
- (princn "del Zslatex.jnk" o))
- (accepts-initfile
- (display "echo (load " o)
- (write slatex-pathname o)
- (display ") > " o)
- (princn accepts-initfile o)
- (display "echo (set! slatex::*texinputs* " o)
- (write texinputs o)
- (display ") >> " o)
- (princn accepts-initfile o)
- (display "echo (set! slatex::*texinputs-list* '" o)
- (write texinputs-list o)
- (display ") >> " o)
- (princn accepts-initfile o)
- (display "echo (slatex::process-main-tex-file \"%1\") >> " o)
- (princn accepts-initfile o)
- (display "echo (slatex::exit-scheme) >> " o)
- (princn accepts-initfile o)
- (princn scheme-pathname o)
- (display "del " o)
- (princn accepts-initfile o)))
- (princn "if exist pltexchk.jnk goto one" o)
- (princn "goto two" o)
- (princn ":one" o)
- (princn "call tex %1" o)
- (princn "del pltexchk.jnk" o)
- (princn "goto end" o)
- (princn ":two" o)
- (princn "call latex %1" o)
- (princn ":end" o)))))
-
-(display "Finished configuring batfile/shellscript")
-(newline)
-(if (eq? *op-sys* 'unix)
- (case system-procedure
- ((system) (system "chmod +x slatex"))
- (else
- (display "Type (chmod +x slatex) on Unix command line")
- (newline))))
diff --git a/collects/slatex/slatex-code/cfg4lsp.lsp b/collects/slatex/slatex-code/cfg4lsp.lsp
deleted file mode 100644
index e2228f5b..00000000
--- a/collects/slatex/slatex-code/cfg4lsp.lsp
+++ /dev/null
@@ -1,7 +0,0 @@
-(load "slaconfg.lsp")
-(load "batconfg.lsp")
-
-(cond ((fboundp 'bye) (bye))
- ((fboundp 'exit) (exit))
- ((fboundp 'quit) (quit))
- (t (format t "~&You may exit CL now!~%")))
diff --git a/collects/slatex/slatex-code/cfg4scm.scm b/collects/slatex/slatex-code/cfg4scm.scm
deleted file mode 100644
index b6885005..00000000
--- a/collects/slatex/slatex-code/cfg4scm.scm
+++ /dev/null
@@ -1,10 +0,0 @@
-(load "slaconfg.scm")
-(load "batconfg.scm")
-
-(case dialect
- ((scm) (quit))
- ((cscheme) (%exit))
- ((bigloo) (exit 0))
- (else (exit)
- (display "You may exit Scheme now!")
- (newline)))
\ No newline at end of file
diff --git a/collects/slatex/slatex-code/cltl.sty b/collects/slatex/slatex-code/cltl.sty
deleted file mode 100644
index 745d830c..00000000
--- a/collects/slatex/slatex-code/cltl.sty
+++ /dev/null
@@ -1,57 +0,0 @@
-%cltl.sty
-%SLaTeX Version 1.99
-%Style file to be used in (La)TeX when using SLaTeX for Common Lisp
-%(c) Dorai Sitaram, December 1991, Rice University
-
-\input slatex.sty
-
-% The database in this file was generated from CL as follows:
-
-% (defun canonical-special-form-p (x)
-% (and (special-form-p x) (not (macro-function x))))
-
-% (defun gather (pred)
-% (sort (let ((x '()))
-% (do-all-symbols (y)
-% (if (funcall pred y) (setq x (cons y x))))
-% x)
-% #'string< :key #'symbol-name))
-
-% A rather old (1987) version of Ibuki CL was used. So you may want
-% to regenerate the keywords using the above functions in _your_ CL.
-
-% CL sp. forms, i.e., (gather #'canonical-special-form-p)
-
-\setkeyword{block catch compiler-let declare eval-when flet function
-go if labels let let* macrolet multiple-value-call
-multiple-value-prog1 progn progv quote return-from setq tagbody the
-throw unwind-protect}
-
-% CL macros, i.e., (gather #'macro-function)
-
-\setkeyword{and assert compiler::base-used case ccase check-type
-compiler::ck-spec compiler::ck-vl clines compiler::cmpck
-system::coerce-to-package conditions::conc-name cond ctypecase decf
-debugger::def-command defcfun defconstant defentry
-system:define-compiler-macro conditions:define-condition
-system:define-inline-function define-modify-macro define-setf-method
-define-user-stream-type defla defmacro defparameter defsetf defstruct
-deftype defun debugger::defun-property defvar do do* do-all-symbols
-do-external-symbols do-symbols system::docdoc system::docfun
-system::doctype system::docvar dolist compiler::dolist*
-compiler::dolist** dotimes compiler::dotimes* compiler::dotimes**
-ecase etypecase compiler::get-output-pathname conditions:handler-bind
-conditions:handler-case system::if-error conditions:ignore-errors incf
-system::inspect-print system::inspect-recursively locally loop
-conditions::make-function multiple-value-bind multiple-value-list
-multiple-value-setq compiler::next-cfun compiler::next-cmacro
-compiler::next-cvar compiler::next-label compiler::next-label* or
-conditions::parent-type pop prog prog* prog1 prog2 psetf psetq push
-pushnew remf conditions::report-function conditions::resolve-function
-conditions:restart-bind conditions:restart-case return rotatef
-compiler::safe-compile setf shiftf conditions::slots step time trace
-typecase unless untrace when debugger::with-debugger-environment
-with-input-from-string conditions::with-keyword-pairs with-open-file
-with-open-stream with-output-to-string conditions:with-simple-restart
-compiler::wt compiler::wt-go compiler::wt-h compiler::wt-label
-compiler::wt-nl compiler::wt-nl1}
diff --git a/collects/slatex/slatex-code/codeset.scm b/collects/slatex/slatex-code/codeset.scm
deleted file mode 100644
index 56a81074..00000000
--- a/collects/slatex/slatex-code/codeset.scm
+++ /dev/null
@@ -1,259 +0,0 @@
-;codeset.scm
-;SLaTeX Version 2.4
-;Displays the typeset code made by SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1999
-
-(eval-within slatex
-
- (define slatex::display-tex-line
- (lambda (line)
- (cond;((and (flush-comment-line? line)
- ; (char=? (of line =char / 1) #\%))
- ; (display "\\ZZZZschemecodebreak" *out*)
- ; (newline *out*))
- (else
- (let loop ((i (if (flush-comment-line? line) 1 0)))
- (let ((c (of line =char / i)))
- (if (char=? c #\newline)
- (if (not (eq? (of line =tab / i) &void-tab))
- (newline *out*))
- (begin (write-char c *out*) (loop (+ i 1))))))))))
-
- (define slatex::display-scm-line
- (lambda (line)
- (let loop ((i 0))
- (let ((c (of line =char / i)))
- (cond ((char=? c #\newline)
- (let ((tab (of line =tab / i)))
- (cond ((eq? tab &tabbed-crg-ret)
- (display "\\\\%" *out*)
- (newline *out*))
- ((eq? tab &plain-crg-ret) (newline *out*))
- ((eq? tab &void-tab)
- (write-char #\% *out*)
- (newline *out*)))))
- ((eq? (of line =notab / i) &begin-comment)
- (display-tab (of line =tab / i) *out*)
- (write-char c *out*)
- (loop (+ i 1)))
- ((eq? (of line =notab / i) &mid-comment)
- (write-char c *out*)
- (loop (+ i 1)))
- ((eq? (of line =notab / i) &begin-string)
- (display-tab (of line =tab / i) *out*)
- (display "\\dt{" *out*)
- (if (char=? c #\space)
- (display-space (of line =space / i) *out*)
- (display-tex-char c *out*))
- (loop (+ i 1)))
- ((eq? (of line =notab / i) &mid-string)
- (if (char=? c #\space)
- (display-space (of line =space / i) *out*)
- (display-tex-char c *out*))
- (loop (+ i 1)))
- ((eq? (of line =notab / i) &end-string)
- (if (char=? c #\space)
- (display-space (of line =space / i) *out*)
- (display-tex-char c *out*))
- (write-char #\} *out*)
- (if *in-qtd-tkn* (set! *in-qtd-tkn* #f)
- (if *in-mac-tkn* (set! *in-mac-tkn* #f)))
- (loop (+ i 1)))
- ((eq? (of line =notab / i) &begin-math)
- (display-tab (of line =tab / i) *out*)
- (write-char c *out*)
- (loop (+ i 1)))
- ((eq? (of line =notab / i) &mid-math)
- (write-char c *out*)
- (loop (+ i 1)))
- ((eq? (of line =notab / i) &end-math)
- (write-char c *out*)
- (if *in-qtd-tkn* (set! *in-qtd-tkn* #f)
- (if *in-mac-tkn* (set! *in-mac-tkn* #f)))
- (loop (+ i 1)))
- ; ((memq (of line =notab / i) (list &mid-math &end-math))
- ; (write-char c *out*)
- ; (loop (+ i 1)))
- ((char=? c #\space)
- (display-tab (of line =tab / i) *out*)
- (display-space (of line =space / i) *out*)
- (loop (+ i 1)))
- ((char=? c #\')
- (display-tab (of line =tab / i) *out*)
- (write-char c *out*)
- (if (or *in-qtd-tkn*
- (> *in-bktd-qtd-exp* 0)
- (and (pair? *bq-stack*)
- (not (of (car *bq-stack*) =in-comma))))
- #f
- (set! *in-qtd-tkn* #t))
- (loop (+ i 1)))
- ((char=? c #\`)
- (display-tab (of line =tab / i) *out*)
- (write-char c *out*)
- (if (or (null? *bq-stack*)
- (of (car *bq-stack*) =in-comma))
- (set! *bq-stack*
- (cons (let ((f (make-bq-frame)))
- (setf (of f =in-comma) #f)
- (setf (of f =in-bq-tkn) #t)
- (setf (of f =in-bktd-bq-exp) 0)
- f)
- *bq-stack*)))
- (loop (+ i 1)))
- ((char=? c #\,)
- (display-tab (of line =tab / i) *out*)
- (write-char c *out*)
- (if (not (or (null? *bq-stack*)
- (of (car *bq-stack*) =in-comma)))
- (set! *bq-stack*
- (cons (let ((f (make-bq-frame)))
- (setf (of f =in-comma) #t)
- (setf (of f =in-bq-tkn) #t)
- (setf (of f =in-bktd-bq-exp) 0)
- f)
- *bq-stack*)))
- (if (char=? (of line =char / (+ i 1)) #\@)
- (begin (display-tex-char #\@ *out*) (loop (+ 2 i)))
- (loop (+ i 1))))
- ((memv c '(#\( #\[))
- (display-tab (of line =tab / i) *out*)
- (write-char c *out*)
- (cond (*in-qtd-tkn* (set! *in-qtd-tkn* #f)
- (set! *in-bktd-qtd-exp* 1))
- ((> *in-bktd-qtd-exp* 0)
- (set! *in-bktd-qtd-exp* (+ *in-bktd-qtd-exp* 1))))
- (cond (*in-mac-tkn* (set! *in-mac-tkn* #f)
- (set! *in-bktd-mac-exp* 1))
- ((> *in-bktd-mac-exp* 0) ;is this possible?
- (set! *in-bktd-mac-exp* (+ *in-bktd-mac-exp* 1))))
- (if (not (null? *bq-stack*))
- (let ((top (car *bq-stack*)))
- (cond ((of top =in-bq-tkn)
- (setf (of top =in-bq-tkn) #f)
- (setf (of top =in-bktd-bq-exp) 1))
- ((> (of top =in-bktd-bq-exp) 0)
- (setf (of top =in-bktd-bq-exp)
- (+ (of top =in-bktd-bq-exp) 1))))))
- (if (not (null? *case-stack*))
- (let ((top (car *case-stack*)))
- (cond ((of top =in-ctag-tkn)
- (setf (of top =in-ctag-tkn) #f)
- (setf (of top =in-bktd-ctag-exp) 1))
- ((> (of top =in-bktd-ctag-exp) 0)
- (setf (of top =in-bktd-ctag-exp)
- (+ (of top =in-bktd-ctag-exp) 1)))
- ((> (of top =in-case-exp) 0)
- (setf (of top =in-case-exp)
- (+ (of top =in-case-exp) 1))
- (if (= (of top =in-case-exp) 2)
- (set! *in-qtd-tkn* #t))))))
- (loop (+ i 1)))
- ((memv c '(#\) #\]))
- (display-tab (of line =tab / i) *out*)
- (write-char c *out*)
- (if (> *in-bktd-qtd-exp* 0)
- (set! *in-bktd-qtd-exp* (- *in-bktd-qtd-exp* 1)))
- (if (> *in-bktd-mac-exp* 0)
- (set! *in-bktd-mac-exp* (- *in-bktd-mac-exp* 1)))
- (if (not (null? *bq-stack*))
- (let ((top (car *bq-stack*)))
- (if (> (of top =in-bktd-bq-exp) 0)
- (begin
- (setf (of top =in-bktd-bq-exp)
- (- (of top =in-bktd-bq-exp) 1))
- (if (= (of top =in-bktd-bq-exp) 0)
- (set! *bq-stack* (cdr *bq-stack*)))))))
- (let loop ()
- (if (not (null? *case-stack*))
- (let ((top (car *case-stack*)))
- (cond ((> (of top =in-bktd-ctag-exp) 0)
- (setf (of top =in-bktd-ctag-exp)
- (- (of top =in-bktd-ctag-exp) 1))
- (if (= (of top =in-bktd-ctag-exp) 0)
- (setf (of top =in-case-exp) 1)))
- ((> (of top =in-case-exp) 0)
- (setf (of top =in-case-exp)
- (- (of top =in-case-exp) 1))
- (if (= (of top =in-case-exp) 0)
- (begin
- (set! *case-stack* (cdr *case-stack*))
- (loop))))))))
- (loop (+ i 1)))
- (else (display-tab (of line =tab / i) *out*)
- (loop (slatex::do-token line i))))))))
-
- (define slatex::do-token
- (let ((token-delims (list #\( #\) #\[ #\] #\space *return*
- #\" #\' #\`
- #\newline #\, #\;)))
- (lambda (line i)
- (let loop ((buf '()) (i i))
- (let ((c (of line =char / i)))
- (cond ((char=? c #\\ )
- (loop (cons (of line =char / (+ i 1)) (cons c buf))
- (+ i 2)))
- ((or (memv c token-delims)
- (memv c *math-triggerers*))
- (slatex::output-token (list->string (reverse! buf)))
- i)
- ((char? c) (loop (cons (of line =char / i) buf) (+ i 1)))
- (else (error "do-token: token contains non-char ~s?"
- c))))))))
-
- (define slatex::output-token
- (lambda (token)
- (if (not (null? *case-stack*))
- (let ((top (car *case-stack*)))
- (if (of top =in-ctag-tkn)
- (begin
- (setf (of top =in-ctag-tkn) #f)
- (setf (of top =in-case-exp) 1)))))
- (if (lassoc token special-symbols (function token=?))
- (begin
- (if *in-qtd-tkn* (set! *in-qtd-tkn* #f)
- (if *in-mac-tkn* (set! *in-mac-tkn* #f)))
- (display (cdr (lassoc token special-symbols (function token=?)))
- *out*))
- (display-token
- token
- (cond (*in-qtd-tkn*
- (set! *in-qtd-tkn* #f)
- (cond ((equal? token "else") 'syntax)
- ((lmember token data-tokens (function token=?)) 'data)
- ((lmember token constant-tokens (function token=?))
- 'constant)
- ((lmember token variable-tokens (function token=?))
- 'constant)
- ((lmember token keyword-tokens (function token=?))
- 'constant)
- ((prim-data-token? token) 'data)
- (else 'constant)))
- ((> *in-bktd-qtd-exp* 0) 'constant)
- ((and (not (null? *bq-stack*))
- (not (of (car *bq-stack*) =in-comma))) 'constant)
- (*in-mac-tkn* (set! *in-mac-tkn* #f)
- (set-keyword token) 'syntax)
- ((> *in-bktd-mac-exp* 0) (set-keyword token) 'syntax)
- ((lmember token data-tokens (function token=?)) 'data)
- ((lmember token constant-tokens (function token=?)) 'constant)
- ((lmember token variable-tokens (function token=?)) 'variable)
- ((lmember token keyword-tokens (function token=?))
- (cond ((token=? token "quote") (set! *in-qtd-tkn* #t))
- ((lmember token macro-definers (function token=?))
- (set! *in-mac-tkn* #t))
- ((lmember token case-and-ilk (function token=?))
- (set! *case-stack*
- (cons (let ((f (make-case-frame)))
- (setf (of f =in-ctag-tkn) #t)
- (setf (of f =in-bktd-ctag-exp) 0)
- (setf (of f =in-case-exp) 0)
- f)
- *case-stack*))))
- 'syntax)
- ((prim-data-token? token) 'data)
- (else 'variable))
- *out*))
- (if (and (not (null? *bq-stack*)) (of (car *bq-stack*) =in-bq-tkn))
- (set! *bq-stack* (cdr *bq-stack*)))))
- )
diff --git a/collects/slatex/slatex-code/config.dat b/collects/slatex/slatex-code/config.dat
deleted file mode 100644
index 63697a3f..00000000
--- a/collects/slatex/slatex-code/config.dat
+++ /dev/null
@@ -1,12 +0,0 @@
-;mzschemeunix.cfg
-;sample config.dat for MzScheme on Unix
-
-mzscheme
-unix
-"mzscheme"
-"/home/dorai/tex/slatex/slatex.scm"
-"/home/dorai/tex/0tex"
-()
-#t
-"-f"
-#f
diff --git a/collects/slatex/slatex-code/config.scm b/collects/slatex/slatex-code/config.scm
deleted file mode 100644
index 01863cca..00000000
--- a/collects/slatex/slatex-code/config.scm
+++ /dev/null
@@ -1,7 +0,0 @@
-;config.scm
-;Configures SLaTeX for your system
-;(c) Dorai Sitaram, 1991-8
-
-; 'nil is a symbol in Scheme, but nil in CL
-
-(load (if 'nil "cfg4scm.scm" "cfg4lsp.lsp"))
diff --git a/collects/slatex/slatex-code/copying b/collects/slatex/slatex-code/copying
deleted file mode 100644
index 43785311..00000000
--- a/collects/slatex/slatex-code/copying
+++ /dev/null
@@ -1,25 +0,0 @@
-copying
-SLaTeX Version 2.4
-Dorai Sitaram, 1991, 1998
-ds26@gte.com
-
-SLaTeX is provided free of charge.
-
-You are free to use, copy and distribute verbatim
-copies of SLaTeX provided this License Agreement is
-included, provided you don't change the authorship
-notice that heralds each file, and provided you give
-the recipient(s) the same permissions that this
-agreement allows you.
-
-You are free to use, modify and distribute modified
-copies of SLaTeX provided you follow the conditions
-described above, with the further condition that you
-prominently state the changes you made.
-
-Neither Rice University, nor GTE Labs Inc., nor Dorai
-Sitaram assume any responsibility for any damages arising
-out of using SLaTeX.
-
-Dorai Sitaram
-ds26@gte.com
diff --git a/collects/slatex/slatex-code/defaults.scm b/collects/slatex/slatex-code/defaults.scm
deleted file mode 100644
index 87908664..00000000
--- a/collects/slatex/slatex-code/defaults.scm
+++ /dev/null
@@ -1,139 +0,0 @@
-;defaults.scm
-;SLaTeX v. 2.3
-;Default database for SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-if (cl)
- (eval-within slatex
- (defvar slatex::*slatex-case-sensitive?* #f)))
-
-(eval-unless (cl)
- (eval-within slatex
- (defvar slatex::*slatex-case-sensitive?* #t)))
-
-(eval-within slatex
-
- (defvar slatex::keyword-tokens
- '(
- ;RnRS (plus some additional Scheme) keywords
- "=>"
- "%"
- "abort"
- "and"
- "begin"
- "begin0"
- "case"
- "case-lambda"
- "cond"
- "define"
- "define!"
- "define-macro!"
- "define-syntax"
- "defmacro"
- "defrec!"
- "delay"
- "do"
- "else"
- "extend-syntax"
- "fluid-let"
- "if"
- "lambda"
- "let"
- "let*"
- "letrec"
- "let-syntax"
- "letrec-syntax"
- "or"
- "quasiquote"
- "quote"
- "rec"
- "record-case"
- "record-evcase"
- "recur"
- "set!"
- "sigma"
- "struct"
- "syntax"
- "syntax-rules"
- "trace"
- "trace-lambda"
- "trace-let"
- "trace-recur"
- "unless"
- "unquote"
- "unquote-splicing"
- "untrace"
- "when"
- "with"
- ))
-
- (defvar slatex::variable-tokens '())
-
- (defvar slatex::constant-tokens '())
-
- (defvar slatex::data-tokens '())
-
- (defvar slatex::special-symbols
- '(
- ("." . ".")
- ("..." . "{\\dots}")
- ("-" . "$-$")
- ("1-" . "\\va{1$-$}")
- ("-1+" . "\\va{$-$1$+$}")
- ))
-
- (defvar slatex::macro-definers
- '("define-syntax" "syntax-rules" "defmacro"
- "extend-syntax" "define-macro!"))
-
- (defvar slatex::case-and-ilk
- '("case" "record-case"))
-
- (define slatex::tex-analog
- (lambda (c)
- ;find a TeX string that corresponds to the character c
- (case c
- ((#\$ #\& #\% #\# #\_) (string #\\ c))
- ;((#\#) "{\\sf\\#}")
- ;((#\\) "{\\ttbackslash}")
- ((#\{ #\}) (string #\$ #\\ c #\$))
- ((#\\) "$\\backslash$")
- ((#\+) "$+$")
- ((#\*) "$\\ast$")
- ((#\=) "$=$")
- ((#\<) "$\\lt$")
- ((#\>) "$\\gt$")
- ((#\^) "\\^{}")
- ((#\|) "$\\vert$")
- ;((#\~) "\\verb-~-")
- ((#\~) "\\~{}")
- ((#\@) "{\\atsign}")
- ((#\") "{\\tt\\dq}")
- (else (string c)))))
-
- (define slatex::token=?
- (lambda (t1 t2)
- ;tests if t1 and t2 are identical tokens
- (funcall (if *slatex-case-sensitive?* (function string=?)
- (function string-ci=?))
- t1 t2)))
-
- (defvar slatex::*slatex-enabled?* #t)
- (defvar slatex::*slatex-reenabler* "UNDEFINED")
- (defvar slatex::*intext-triggerers* (list "scheme"))
- (defvar slatex::*resultintext-triggerers* (list "schemeresult"))
- (defvar slatex::*display-triggerers* (list "schemedisplay"))
- (defvar slatex::*response-triggerers* (list "schemeresponse"))
- (defvar slatex::*respbox-triggerers* (list "schemeresponsebox"))
- (defvar slatex::*box-triggerers* (list "schemebox"))
- (defvar slatex::*top-box-triggerers* (list "schemetopbox"))
- (defvar slatex::*input-triggerers* (list "schemeinput"))
- (defvar slatex::*region-triggerers* (list "schemeregion"))
- (defvar slatex::*math-triggerers* '())
- (defvar slatex::*slatex-in-protected-region?* #f)
- (defvar slatex::*protected-files* '())
- (defvar slatex::*include-onlys* 'all)
- (defvar slatex::*latex?* #t)
- (defvar slatex::*slatex-separate-includes?* #f)
- (defvar slatex::*tex-calling-directory* "")
- )
diff --git a/collects/slatex/slatex-code/defun.tex b/collects/slatex/slatex-code/defun.tex
deleted file mode 100644
index 6eb02b40..00000000
--- a/collects/slatex/slatex-code/defun.tex
+++ /dev/null
@@ -1,24 +0,0 @@
-\def\defun#1{\def\defuntype{#1}%
-\medbreak
-\line\bgroup
- \hbox\bgroup
- \aftergroup\enddefun
- \vrule width .5ex \thinspace
- \vrule \enspace
- \vbox\bgroup\setbox0=\hbox{\defuntype}%
- \advance\hsize-\wd0
- \advance\hsize-1em
- \obeylines
- \parindent=0pt
- \aftergroup\egroup
- \strut
- \let\dummy=}
-
-\def\enddefun{\hfil\defuntype\egroup\smallskip}
-
-
-%\def\defprocedure{\defun{procedure}}
-
-%\def\defessentialprocedure{\defun{\hbox{%
-% \vbox{\hbox{essential}\hbox{procedure}}}}}
-
diff --git a/collects/slatex/slatex-code/fileproc.scm b/collects/slatex/slatex-code/fileproc.scm
deleted file mode 100644
index 64a4d418..00000000
--- a/collects/slatex/slatex-code/fileproc.scm
+++ /dev/null
@@ -1,59 +0,0 @@
-;fileproc.scm
-;SLaTeX Version 2.3
-;File-manipulation routines used by SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-;file-exists?
-
-(eval-if (vscm)
- (eval-within slatex
- (define slatex::file-exists?
- (if (eq? *op-sys* 'unix)
- (lambda (f)
- (system (string-append "test -f " f)))
- (lambda (f) 'assume-file-exists)))))
-
-(eval-unless (bigloo chez cl cscheme elk gambit guile mzscheme pcsge scm stk
- vscm)
- (eval-within slatex
- (define slatex::file-exists?
- (lambda (f) #t))));assume file exists
-
-;delete-file
-
-(eval-if (schemetoc stk umbscheme)
- (eval-within slatex
- (define slatex::delete-file
- (lambda (f)
- (call-with-output-file f
- (lambda (p) 'file-deleted))))))
-
-(eval-unless (bigloo chez cl cscheme guile mzscheme pcsge
- schemetoc scm stk umbscheme vscm)
- (eval-within slatex
- (define slatex::delete-file
- (lambda (f) 'assume-file-deleted))))
-
-;force-output
-
-;the DOS version of C Scheme has flush-output, the Unix version doesn't
-
-(eval-if (cscheme)
- (eval-within slatex
- (define slatex::force-output
- (if (environment-bound? user-initial-environment 'flush-output)
- flush-output
- (lambda z 'assume-output-forced)))))
-
-(eval-if (bigloo)
- (eval-within slatex
- (define slatex::force-output
- (lambda z
- (if (null? z)
- (flush-output-port (current-output-port))
- (flush-output-port (car z)))))))
-
-(eval-unless (bigloo chez cl cscheme elk guile mzscheme scm vscm)
- (eval-within slatex
- (define slatex::force-output
- (lambda z 'assume-output-forced))))
diff --git a/collects/slatex/slatex-code/helpers.scm b/collects/slatex/slatex-code/helpers.scm
deleted file mode 100644
index 05961f55..00000000
--- a/collects/slatex/slatex-code/helpers.scm
+++ /dev/null
@@ -1,197 +0,0 @@
-;helpers.scm
-;SLaTeX v. 2.4
-;Helpers for SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-unless (cl)
- (eval-within slatex
- (define slatex::prim-data-token?
- (lambda (token)
- ;token cannot be empty string!
- (or (char=? (string-ref token 0) #\#)
- (string->number token))))))
-
-(eval-if (cl)
- (eval-within slatex
- (defun prim-data-token? (token)
- (declare (global-string token))
- (let ((c (char token 0)))
- (or (char= c #\#)
- (char= c #\:)
- (numberp (read-from-string token)))))))
-
-(eval-within slatex
-
- (define slatex::set-keyword
- (lambda (x)
- ;add token x to the keyword database
- (if (not (lmember x keyword-tokens (function token=?)))
- (begin
- (set! constant-tokens
- (delete x constant-tokens (function token=?)))
- (set! variable-tokens
- (delete x variable-tokens (function token=?)))
- (set! data-tokens (delete x data-tokens (function token=?)))
- (set! keyword-tokens (cons x keyword-tokens))))))
-
- (define slatex::set-constant
- (lambda (x)
- ;add token x to the constant database
- (if (not (lmember x constant-tokens (function token=?)))
- (begin
- (set! keyword-tokens
- (delete x keyword-tokens (function token=?)))
- (set! variable-tokens
- (delete x variable-tokens (function token=?)))
- (set! data-tokens (delete x data-tokens (function token=?)))
- (set! constant-tokens (cons x constant-tokens))))))
-
- (define slatex::set-variable
- (lambda (x)
- ;add token x to the variable database
- (if (not (lmember x variable-tokens (function token=?)))
- (begin
- (set! keyword-tokens (delete x keyword-tokens (function token=?)))
- (set! constant-tokens
- (delete x constant-tokens (function token=?)))
- (set! data-tokens (delete x data-tokens (function token=?)))
- (set! variable-tokens (cons x variable-tokens))))))
-
- (define slatex::set-data
- (lambda (x)
- ;add token x to the "data" database
- (if (not (lmember x data-tokens (function token=?)))
- (begin
- (set! keyword-tokens
- (delete x keyword-tokens (function token=?)))
- (set! constant-tokens
- (delete x constant-tokens (function token=?)))
- (set! variable-tokens
- (delete x variable-tokens (function token=?)))
- (set! data-tokens (cons x data-tokens))))))
-
- (define slatex::set-special-symbol
- (lambda (x transl)
- ;add token x to the special-symbol database with
- ;the translation transl
- (let ((c (lassoc x special-symbols (function token=?))))
- (if c (set-cdr! c transl)
- (set! special-symbols
- (cons (cons x transl) special-symbols))))))
-
- (define slatex::unset-special-symbol
- (lambda (x)
- ;disable token x's special-symbol-hood
- (set! special-symbols
- (delete-if
- (lambda (c)
- (token=? (car c) x)) special-symbols))))
-
- (define slatex::texify
- (lambda (s)
- ;create a tex-suitable string out of token s
- (list->string (slatex::texify-aux s))))
-
- (define slatex::texify-data
- (lambda (s)
- ;create a tex-suitable string out of the data token s
- (let loop ((l (texify-aux s)) (r '()))
- (if (null? l) (list->string (reverse! r))
- (let ((c (car l)))
- (loop (cdr l)
- (if (char=? c #\-) (append! (list #\$ c #\$) r)
- (cons c r))))))))
-
- (define slatex::texify-aux
- (let* ((arrow (string->list "-$>$"))
- (em-dash (string->list "---"))
- (en-dash (string->list "--"))
- (arrow2 (string->list "$\\to$"))
- (em-dash-2 (string->list "${-}{-}{-}$"))
- (en-dash-2 (string->list "${-}{-}$")))
- (lambda (s)
- ;return the list of tex characters corresponding to token s.
- ;perhaps some extra context-sensitive prettifying
- ;could go in the making of texified-sl below
- (let ((texified-sl (mapcan
- (lambda (c) (string->list (tex-analog c)))
- (string->list s))))
- (let loop ((d texified-sl))
- ;cdr down texified-sl
- ;to transform any character combinations
- ;as desired
- (cond ((null? d) #f)
- ((list-prefix? arrow d) ; $->$
- (let ((d2 (list-tail d 4)))
- (set-car! d (car arrow2))
- (set-cdr! d (append (cdr arrow2) d2))
- (loop d2)))
- ((list-prefix? em-dash d) ; ---
- (let ((d2 (list-tail d 3)))
- (set-car! d (car em-dash-2))
- (set-cdr! d (append (cdr em-dash-2) d2))
- (loop d2)))
- ((list-prefix? en-dash d) ; --
- (let ((d2 (list-tail d 2)))
- (set-car! d (car en-dash-2))
- (set-cdr! d (append (cdr en-dash-2) d2))
- (loop d2)))
- (else (loop (cdr d)))))
- texified-sl))))
-
- (define slatex::display-begin-sequence
- (lambda (out)
- (if (or *intext?* (not *latex?*))
- (begin
- (display "\\" out)
- (display *code-env-spec* out)
- (newline out))
- (begin
- (display "\\begin{" out)
- (display *code-env-spec* out)
- (display "}%" out)
- (newline out)))))
-
- (define slatex::display-end-sequence
- (lambda (out)
- (cond (*intext?* ;(or *intext?* (not *latex?*))
- (display "\\end" out)
- (display *code-env-spec* out)
- ;(display "{}" out)
- (newline out))
- (*latex?*
- (display "\\end{" out)
- (display *code-env-spec* out)
- (display "}" out)
- (newline out))
- (else
- (display "\\end" out)
- (display *code-env-spec* out)
- (newline out)))))
-
- (define slatex::display-tex-char
- (lambda (c p)
- (display (if (char? c) (tex-analog c) c) p)))
-
- (define slatex::display-token
- (lambda (s typ p)
- (cond ((eq? typ 'syntax)
- (display "\\sy{" p)
- (display (texify s) p)
- (display "}" p))
- ((eq? typ 'variable)
- (display "\\va{" p)
- (display (texify s) p)
- (display "}" p))
- ((eq? typ 'constant)
- (display "\\cn{" p)
- (display (texify s) p)
- (display "}" p))
- ((eq? typ 'data)
- (display "\\dt{" p)
- (display (texify-data s) p)
- (display "}" p))
- (else (error "display-token: ~
-Unknown token type ~s." typ)))))
-
- )
\ No newline at end of file
diff --git a/collects/slatex/slatex-code/history b/collects/slatex/slatex-code/history
deleted file mode 100644
index 4b193be2..00000000
--- a/collects/slatex/slatex-code/history
+++ /dev/null
@@ -1,180 +0,0 @@
-2.4w
-
-9 Oct 1999
-
-Read cr before lf when reading files on Windows (Shriram report)
-
-Token delimitation strengthened (John Clements bug
-report).
-
-CL set-dispatch-macro-character arg should be uppercase
-character because CLISP doesn't automatically upcase
-it as standard suggests
-
-2.4v
-
-8 Mar 1999
-
-Comma'd forms inside backquote should get the right font
-assignment even if preceded by quote. (Shriram bug report)
-
-2.4u
-
-15 Jan 1999
-
-Use require-library instead of reference-library.
-
-pathproc.scm: *path-separator*, *directory-mark*,
-*file-hider* have approp values for OS = Windows.
-
-MzScheme/Win95 slatex.bat should contain Windows-style
-line termination.
-
-Config file for CLISP on Win 95.
-
-Jun 8, 1998
-
-2.4t
-
-distribution mishap fix
-
-May 1, 1998
-
-2.4s
-
-Port to STk
-
-Apr 21, 1998
-
-2.4r
-
-Port to Allegro Common Lisp for Linux. Minor config
-bugs nixed.
-
-Apr 1998
-
-2.4q
-
-Ports to Windows 95, Gambit, MIT Scheme.
-
-Apr 1997
-
-2.4 p
-
-{schemeregion} should not collapse lines with TeX comments
-into one (nor should it eat the comment character).
-
-v. 2.4o
-
-Fixed indentation bug caused by implicit space after \\
-in tab environment.
-
-Feb 1997
-v. 2.4n
-
-Fixed bug that caused \begin{schemebox} to produce space at
-paragraph begin (Matthias).
-
-Ported to Bigloo, thanks to Christian Queinnec.
-
-* typesets as \ast. (* "as is" is too high.)
-
-Ported to Guile.
-
-May 1996
-v 2.4m
-
-Ported to MzScheme.
-
-Check that config.dat has right number of answers.
-Eliminates common typos while setting up config.dat
-(Shriram's sugg.).
-
-Accommodate Schemes that allow loading of files mentioned on
-the command-line, but using an option such as -load or -f
-(Shriram's sugg).
-
-Changed names in preproc.scm to avoid collision with
-existing Scheme procs, if any. (Shriram Krishnamurthi's
-idea.)
-
-Ported to GCL (Linux).
-Changes to package system -- uses CL's package sys in CL.
-dump-display made more efficient.
-Cleaned up bat config.
-
-Feb 1996
-v 2.4l
-
-Ported to Macintosh Common Lisp.
-
-Version number reported on invocation and whilst loading
-slatex.sty (to enable trenchant bug reporting).
-
-No longer requires "system" procedure spec from user via
-config.dat. Other config info should be sufficient to
-deduce this. One less confusion.
-
-v 2.4k
-
--- and --- in Scheme tokens are treated as minuses rather
-than en- and em-dash. Mike Ernst's idea.
-
-v 2.4j
-
-Now recognizes :keywords as data in CL.
-
-Left margin error in indented {schemedisplay}s corrected
-
-Package system made more robust
-
-Apr 1995
-v 2.4
-Support for OS/2, both FAT and HPFS.
-
-Included sample Rexx script (for OS/2 + emTeX + scm)
-that has robust TEXINPUT recognition.
-
-Fixed paragraph indentation bug after {schemedisplay}
-within {schemeregion}.
-
-Recognizes LaTeX2e files in addition to LaTeX2.09.
-
-Sentence-ending space doesn't follow null?, set!, etc.
-
-Documentation converted to plain TeX.
-
-Added {schemeresponse}, {schemeresponsebox}, and their
-corresponding \defscheme*token and \undefscheme*token.
-
-Fixed bug related to quoted special symbols;
-quoted math escapes; and quoted strings.
-
-Added \setdata in analogy with \setkeyword,
-\setvariable, and \setconstant.
-\schemeresult, etc., distinguish between constant and
-data -- data items are set in \datafont; everything
-else in \constantfont.
-
-Removed bogus \ignorespaces from \slatexdisable.
-
-Typeset code is now frenchspaced (instead of using
-\null's) to avoid sentence-ending spaces after ! and ?.
-Mark Krentel's idea.
-
-Added config code for Matthias Blume's VSCM.
-
-Jan 1994
-v 2.3
-
-The Dark Years
-Several bug fixes
-
-Dec 1991
-First major update
-
-Mar 1991
-First public release
-
-1990
-First Rice PLT release
diff --git a/collects/slatex/slatex-code/index.tex b/collects/slatex/slatex-code/index.tex
deleted file mode 100644
index 98a752ed..00000000
--- a/collects/slatex/slatex-code/index.tex
+++ /dev/null
@@ -1,233 +0,0 @@
-\input tex2html
-
-
-\htmlonly
-
-\htmlstylesheet{tex2html.css}
-
-\gifpreamble
-\magnification\magstep1
-\endgifpreamble
-
-\let\byline\leftline
-
-\endhtmlonly
-
-
-\let\n\noindent
-
-%%%
-
-\subject{SLaTeX}
-
-\byline{\urlh{slatex.tar.gz}{[Download version \input version ]}}
-
-\smallskip
-
-\byline{\urlh{http://www.cs.rice.edu/~dorai}{Dorai Sitaram}}
-\byline{\urlh{mailto:ds26@gte.com}{ds26@gte.com}}
-
-\bigskip
-
-\section{Introduction}
-
-SLaTeX is a Scheme program that allows you to write
-program code (or code fragments) ``as is'' in your
-LaTeX or plain TeX source. SLaTeX will typeset the
-code with appropriate fonts for the various token
-categories --- e.g., {\bf boldface} for keywords and
-{\em italics} for variables ---, at the same time
-retaining the proper indentations and vertical
-alignments in TeX's non-monospace fonts.
-
-\subsection{SLaTeX for LaTeX users}
-
-For example, consider a LaTeX file \p{example.tex}
-with the following contents:
-
-\verb+
-\documentclass{article}
-\usepackage{slatex}
-\begin{document}
-
-In Scheme, the expression
-\scheme|(set! x 42)| returns
-an unspecified value, rather
-than \scheme'42'. However,
-one could get a \scheme{set!}
-of the latter style with:
-
-\begin{schemedisplay}
-(define-syntax setq
- (syntax-rules ()
- [(setq var val)
- (begin (set! var val)
- var)]))
-\end{schemedisplay}
-
-\end{document}
-+
-
-When run through SLaTeX, the resulting \p{example.dvi} file
-looks as follows:
-
----
-
-\htmlgif
-\input slatex.sty
-\input margins
-\sidemargin 1.75 true in
-In Scheme, the expression
-\scheme|(set! x 42)| returns
-an unspecified value, rather
-than \scheme'42'. However,
-one could get a \scheme{set!}
-of the latter style with:
-
-\schemedisplay
-(define-syntax setq
- (syntax-rules ()
- [(setq var val)
- (begin (set! var val)
- var)]))
-\endschemedisplay
-\endhtmlgif
-
----
-
-As the example shows, {\em in-text} code is introduced by
-the control sequence \p{\scheme} and is flanked by either
-identical characters or by matching braces. Code meant for
-{\em display} is presented between
-\p{\begin{schemedisplay}} and
-\p{\end{schemedisplay}}. Note that you write the code
-as you would when writing a program --- no special
-annotation is needed to get the typeset version.
-
-\subsection{SLaTeX for plain TeX users}
-
-SLaTeX works much the same way with plain TeX as with
-LaTeX, but for only two exceptions. First, since plain
-TeX doesn't have \p{\documentstyle}, the file
-\p{slatex.sty} must be introduced via an \p{\input}
-statement before its commands can be used in the plain
-TeX source.
-
-Second, since plain TeX does not have LaTeX's
-\p|\begin{|{\em env}\p|} ... \end{|{\em env}\p|}|
-style of environments, any
-environment commands in SLaTeX are invoked with the
-opening \p{\}{\em env} and the closing
-\p{\end}{\it env}.
-
-The plain TeX version of \p{quick.tex} looks like:
-
----
-
-\verb+
-% quick.tex
-\input slatex.sty
-
-In Scheme, the expression
-\scheme|(set! x 42)| returns
-an unspecified value, rather
-than \scheme'42'. However,
-one could get a \scheme{set!}
-of the latter style with:
-
-\schemedisplay
-(define-syntax setq
- (syntax-rules ()
- [(setq x a)
- (begin (set! x a)
- x)]))
-\endschemedisplay
-\bye
-+
-
----
-
-The file is now SLaTeX'd by invoking \p{slatex} as
-before --- SLaTeX is clever enough to figure out
-whether the file it operates on should later be sent to
-LaTeX or plain TeX.
-
-\section{Automatic token recognition}
-
-By default, SLaTeX recognizes the tokens of Scheme.
-This default can be changed with the commands
-\p{\setkeyword}, \p{\setvariable},
-\p{\setconstant}, and \p{\setdata}. The arguments of
-these commands is a space-separated list enclosed in
-braces. E.g.,
-
-\p{
-\setconstant{infinity -infinity}
-}
-
-\n tells SLaTeX that \scheme{infinity} and
-\scheme{-infinity} are to be typeset as constants.
-The file \p{cltl.sty} uses these commands to modify
-SLaTeX's default so that it recognizes the tokens of
-Common Lisp rather than Scheme. You may fashion your
-own \p{.sty} files on the model of
-\p{cltl.sty}.
-
-The user need not use \p{\setkeyword} to specify such
-new keywords as are introduced by Scheme's (or Common
-Lisp's) macro definition facilities. SLaTeX will
-automatically recognize new macros and auxiliary
-keywords, as in the example above, where \p{setq} is
-recognized as a keyword because of the context in which
-it occurs, although it is not normally a keyword in
-Scheme. No special treatment is needed to ensure that
-it will continue to be treated as a keyword in any
-subsequent Scheme code in the document.
-
-In addition, quoted material is recognized as
-``constant'', and strings, numbers, booleans and
-characters are recognized as ``data'' without the need
-to identify them with \p{\setconstant} and \p{\setdata}
-respectively.
-
-\subsection{Tokens as arbitrary symbols}
-
-Although your program code is naturally restricted to
-using ascii identifiers that follow some convention,
-the corresponding typeset code could be more mnemonic
-and utilize the full suite of mathematical and other
-symbols provided by TeX. This of course should not
-require you to interfere with your code itself, which
-should run in its ascii representation. It is only the
-typeset version that has the new look. For instance,
-if you want all occurrences of the ascii token
-\p{lambda} to be typeset as the Greek letter $\lambda$,
-you could say
-
-\p{
-\setspecialsymbol{lambda}{$\lambda$}
-}
-
-You can use \p{\unsetspecialsymbol} on a token to have
-it revert to its default behavior.
-
-In effect, \p{\setspecialsymbol} generalizes the act of
-``fonting'' a token to converting it into any arbitrary
-symbol.
-
-\section{Additional documentation}
-
-More comprehensive documentation of all that
-is possible with SLaTeX is provided in the
-distribution.
-
-Although SLaTeX is written in Scheme, a configuration
-option is provided to make it run on Common Lisp.
-SLaTeX has tested successfully on many different Scheme
-and Common Lisp dialects, viz., Allegro Common Lisp,
-Austin Kyoto Common Lisp, Bigloo, Chez Scheme, CLISP,
-Elk, Gambit, Gnu Common Lisp, Guile, Ibuki Common Lisp,
-Macintosh Common Lisp, MIT Scheme, MzScheme,
-Scheme{\tt->}C, SCM, UMB Scheme, and VSCM.
-
-\bye
diff --git a/collects/slatex/slatex-code/install b/collects/slatex/slatex-code/install
deleted file mode 100644
index e26c06f0..00000000
--- a/collects/slatex/slatex-code/install
+++ /dev/null
@@ -1,173 +0,0 @@
-INSTALL
-SLaTeX Version 2.4
-(c) Dorai Sitaram
-
-Installation instructions for SLaTeX
-
- ...
-
-1. Configuring SLaTeX for your system
-
-1) Go to the directory slatex.
-
-2) Edit the file config.dat as suggested in the
-comments there. Some sample config.dat's are provided in
-the configs/ subdirectory.
-
-3) Invoke your Scheme interpreter. (If you're using
-Common Lisp, invoke the Common Lisp interpreter.) Load
-the file config.scm into Scheme (or Common Lisp). This
-is done by typing
-
-(load "config.scm")
-
-at the Scheme (or Common Lisp) prompt.
-
-This will configure SLaTeX for your Scheme dialect and
-operating system, creating an appropriate slatex.scm file.
-(For Chez and MzScheme, slatex.scm is a compiled version.) A
-script file (called slatex.bat on DOS, slatex.cmd on OS/2,
-and just slatex on Unix) is also created for convenient
-invocation on your operating system command line. A
-Scheme/Common Lisp file callsla.scm is also created to
-provide access to SLaTeX from Scheme/Common Lisp.
-
-4) Exit Scheme (or Common Lisp).
-
-(Note: In many Schemes and Common Lisps on Unix, you can
-combine steps 3 and 4 with a command such as
-
-echo '(load "config.scm")' | scheme
-
-)
-
- ...
-
-2. Setting paths and modifying script file
-
-(If your dialect is Bigloo, you may ignore this section.)
-
-1) Copy or move or link slatex.scm into a suitable
-place, e.g., your bin or lib, or the system bin or
-lib.
-
-2) Copy or move or link slatex.sty into a suitable
-place, e.g., somewhere in your TEXINPUT(S) path. For
-installing on system, place in directory containing
-the LaTeX style files (on mine this is
-/usr/local/lib/tex/macros).
-
-3) (If your platform is a Mac, ignore this.) Copy or move
-or link the shellscript slatex or batfile slatex.bat to a
-suitable place in your PATH, e.g., your bin or the system
-bin. Note that slatex(.bat) sets SLaTeX.*texinputs*. If
-you're making the same shellscript/batfile available to
-multiple users, you should change the line
-
-(set! slatex::*texinputs* "...")
-
-to
-
-(set! slatex::*texinputs* )
-
-(But see scripts/readme.)
-
-4) Run slatex on slatxdoc.tex for documentation.
-(This also checks that slatex does indeed work on your
-machine.) Refer to slatxdoc.dvi when befuddled.
-
- ...
-
-3. Other ways of invoking SLaTeX
-
-The configuration process creates shellscript/batfile
-slatex(.bat) for a standard invoking mechanism for
-SLaTeX. The shellscript/batfile is created to exploit
-the way your Scheme is called, e.g., matters like
-whether it accepts echo'd s-expressions (e.g., Chez),
-whether it loads command line files (e.g., SCM), and
-whether it always checks for an "init" file (e.g., MIT
-C Scheme).
-
-1) If your Scheme doesn't fall into either of these
-categories, you may have to write your own
-shellscript/batfile or devise some other mechanism.
-
-2) The shellscript/batfile invokes Scheme. If,
-however, you are already in Scheme and spend most of
-the time continuously at the Scheme prompt rather than
-the operating system prompt, you may want to avoid some
-of the delays inherent in the shellscript/batfile.
-
-3) If your platform is a Macintosh, no shellscript/batfile
-is created. The idea mentioned below is your only choice.
-However, it is so easy to use that it may soon become your
-preferred way of invoking SLaTeX, even on Unix or OS/2.
-
-The file callsla.scm, which contains just one small
-procedure named call-slatex, and which is created by
-the configuration process, provides a simple calling
-mechanism from Scheme/Common Lisp, as opposed to the
-operating system command line. You may use it as an
-alternative to the slatex shellscript/batfile. The
-usage is as follows: load callsla.scm into
-Scheme/Common Lisp
-
-(load "callsla.scm")
-
-and type
-
-(call-slatex )
-
-when you need to call SLaTeX on the (La)TeX file
-. This invokes the SLaTeX preprocessor on
-. If your Scheme has a "system" procedure
-that can call the operating system command line,
-call-slatex will also send your file to TeX or LaTeX.
-If your Scheme does not have such a procedure,
-call-slatex will simply prod you to call TeX or LaTeX
-yourself.
-
-The outline of the shellscript/batfile or callsla.scm
-or of any strategy you devise for using SLaTeX should
-include the following actions:
-
-1) Load the file slatex.scm (created by the
-configuration process) into Scheme.
-
-2) Set the variable slatex::*texinputs-list* to the
-list of directories in which TeX looks for \input
-files. If you have a a "regular" TEXINPUTS, you could
-set slatex::*texinputs-list* to
-
-(slatex::path-to-list )
-
-(In shell scripts, can be
-obtained with some for unquoting. In Schemes with
-getenv, you could use (getenv "TEXINPUTS").)
-
-3) Call the procedure slatex::process-main-tex-file on the
-.tex file to be processed.
-
-4) Call either latex or tex on the .tex file.
-
-You may devise your own way of calling
-process-main-tex-file, provided your method makes sure
-that slatex.scm has been loaded, slatex::.*texinputs* set
-appropriately _before_ the call and latex/tex is called
-_after_ the call.
-
-Note that if you prefer to stay in Scheme most of the
-time, it is a good idea to pre-load the procedure
-call-slatex, perhaps through an init file. Call-slatex
-is just a "one-liner" "call-by-need" hook to SLaTeX and
-does not take up much resources. (Global name clashes
-between your own code and SLaTeX code won't occur
-unless you use variable names starting with 'slatex::')
-If you made no calls to call-slatex, the bigger file
-slatex.scm is not loaded at all. If you make several
-calls to call-slatex, slatex.scm is loaded only once,
-at the time of the first call.
-
-;end of file
\ No newline at end of file
diff --git a/collects/slatex/slatex-code/lerror.scm b/collects/slatex/slatex-code/lerror.scm
deleted file mode 100644
index 4cc2b67a..00000000
--- a/collects/slatex/slatex-code/lerror.scm
+++ /dev/null
@@ -1,131 +0,0 @@
-;lerror.scm
-;SLaTeX v. 2.3
-;Display and error routines
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-;#\newline and #\space are r5rs
-;#\return and #\tab aren't
-
-(eval-unless (cl scm)
- (eval-within slatex
- (defvar slatex::*return* (integer->char 13))
- (defvar slatex::*tab* (integer->char 9))))
-
-(eval-if (guile scm)
- (eval-within slatex
- (define slatex::error
- (lambda vv
- (let ((ep (current-error-port)))
- (display "Error: " ep)
- (for-each
- (lambda (v)
- (display v ep)
- (newline ep))
- vv)
- (abort))))))
-
-(eval-if (chez elk schemetoc)
- (eval-within slatex
- (define slatex::error
- (lambda vv
- (display "Error: ")
- (for-each
- (lambda (v)
- (display v) (newline))
- vv)
- (global-error #f "")))))
-
-(eval-if (stk)
- (eval-within slatex
- (define slatex::error
- (lambda vv
- (display "Error: ")
- (for-each
- (lambda (v) (display v) (newline))
- vv)
- (global-error "Error")))))
-
-(eval-if (bigloo)
- (eval-within slatex
- (define slatex::error
- (lambda vv
- (display "Error: ")
- (for-each
- (lambda (v)
- (display v) (newline))
- vv)
- (global-error 'SLaTeX "error" #f)))))
-
-(eval-unless (bigloo chez cl elk guile schemetoc scm)
- (eval-within slatex
- (define slatex::error
- (lambda vv
- (display "Error: ")
- (for-each
- (lambda (v)
- (display v) (newline))
- vv)
- (global-error "")))))
-
-(eval-if (vscm)
- (eval-within slatex
- (define void
- ;(void) is a no-op expression that's useful in some places
- ;where use of a dummy value would make VSCM "warn" about
- ;unused values
- (let ((x 0))
- (lambda ()
- (set! x 0))))))
-
-(eval-unless (vscm cl chez gambit mzscheme)
- (eval-within slatex
- (define slatex::void
- (lambda ()
- (if #f #f)))))
-
-(eval-if (cl)
- (eval-within slatex
- (defun slatex::function-available (s)
- (let ((x (find-symbol s
- (if (member 'gcl *features*) :lisp :cl))))
- (if (and x (fboundp x)) x nil)))
-
- (defun slatex::exit-scheme ()
- (let ((quitter
- (or (function-available "BYE")
- (function-available "EXIT")
- (function-available "QUIT"))))
- (if quitter (funcall quitter)
- (progn
- (format t "You may exit CL now!~%")
- (funcall 'barf)))))))
-
-(eval-if (chez elk mzscheme pcsge schemetoc stk umbscheme vscm)
- (eval-within slatex
- (define slatex::exit-scheme
- (lambda () ;in case it's a macro
- (exit)))))
-
-(eval-if (cscheme)
- (eval-within slatex
- (define slatex::exit-scheme
- (lambda ()
- (%exit)))))
-
-(eval-if (guile scm)
- (eval-within slatex
- (define slatex::exit-scheme quit)))
-
-(eval-if (bigloo)
- (eval-within slatex
- (define slatex::exit-scheme
- (lambda () (exit 0)))))
-
-(eval-unless (bigloo chez cl cscheme elk guile mzscheme pcsge
- schemetoc scm umbscheme vscm)
- (eval-within slatex
- (define slatex::exit-scheme
- (lambda ()
- (display "Exit Scheme!")
- (newline)
- (barf)))))
diff --git a/collects/slatex/slatex-code/manifest b/collects/slatex/slatex-code/manifest
deleted file mode 100644
index 1fd1322c..00000000
--- a/collects/slatex/slatex-code/manifest
+++ /dev/null
@@ -1,81 +0,0 @@
-;manifest
-;SLaTeX Version 2.4
-;List of files provided in the SLaTeX distribution
-;(c) Dorai Sitaram
-;ds26@gte.com
-
-README
-install
-history
-manifest
-version
-copying
-config.dat
-
-;documentation
-slatxdoc.tex
-slatxdoc.bbl
-slatxdoc.dvi
-index.tex
-tex2html.css
-margins.tex
-
-;misc TeX macros
-8pt.tex
-2col.tex
-defun.tex
-tex2html.tex
-
-;style files
-slatex.sty
-cltl.sty
-
-config.scm
-cfg4scm.scm
-cfg4lsp.lsp
-
-slaconfg.lsp
-preproc.lsp
-batconfg.lsp
-
-slaconfg.scm
-preproc.scm
-batconfg.scm
-aliases.scm
-
-s4.scm
-seqprocs.scm
-fileproc.scm
-defaults.scm
-lerror.scm
-structs.scm
-helpers.scm
-peephole.scm
-codeset.scm
-pathproc.scm
-texread.scm
-proctex.scm
-proctex2.scm
-
-;alternative ways to invoke SLaTeX
-scripts/readme
-scripts/slatex.cmd
-
-;sample config.dats
-configs/template.cfg
-configs/rice.cfg
-configs/scmunix.cfg
-configs/gclunix.cfg
-configs/clispunix.cfg
-configs/clispw95.cfg
-configs/mzschemeunix.cfg
-configs/mzschemew95.cfg
-configs/mcl.cfg
-configs/guileunix.cfg
-configs/bigloounix.cfg
-configs/mitschemeunix.cfg
-configs/gambitunix.cfg
-configs/acllinux.cfg
-configs/stkunix.cfg
-
-;eof
diff --git a/collects/slatex/slatex-code/margins.tex b/collects/slatex/slatex-code/margins.tex
deleted file mode 100644
index f793025a..00000000
--- a/collects/slatex/slatex-code/margins.tex
+++ /dev/null
@@ -1,11 +0,0 @@
-\def\sidemargin{\afterassignment\sidemarginII\hoffset}
-
-\def\sidemarginII{\advance\hoffset -1true in
-\advance\hsize -2\hoffset}
-
-\def\vertmargin{\afterassignment\vertmarginII\voffset}
-
-\def\vertmarginII{\advance\voffset -1true in
-\advance\vsize -2\voffset}
-
-
diff --git a/collects/slatex/slatex-code/pathproc.scm b/collects/slatex/slatex-code/pathproc.scm
deleted file mode 100644
index fb720672..00000000
--- a/collects/slatex/slatex-code/pathproc.scm
+++ /dev/null
@@ -1,158 +0,0 @@
-;pathproc.scm
-;SLaTeX Version 1.99
-;File-manipulation routines used by SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-unless (cl)
- (eval-within slatex
- (define slatex::directory-namestring
- (lambda (f)
- (let ((p (string-position-right slatex::*directory-mark* f)))
- (if p
- (substring f 0 (+ p 1)) ""))))
-
- (define slatex::basename
- (lambda (f)
- (let ((p (string-position-right *directory-mark* f)))
- (if p
- (set! f (substring f (+ p 1) (string-length f))))
- (let ((p (string-position-right #\. f)))
- (if p
- (substring f 0 p)
- f)))))
-
- ))
-
-(eval-if (cl)
- (eval-within slatex
- (defun basename (f)
- (let ((f (file-namestring (merge-pathnames
- (make-pathname :type "x") f))))
- (subseq f 0 (- (length f) 2))))))
-
-(eval-within slatex
-
- (defvar slatex::*texinputs* "")
-
- (defvar slatex::*texinputs-list* #f)
-
- (defvar slatex::*path-separator*
- (cond ((eq? *op-sys* 'unix) #\:)
- ((eq? *op-sys* 'mac-os) (integer->char 0))
- ((memq *op-sys* '(windows os2 dos os2fat)) #\;)
- (else (error "Couldn't determine path separator character."))))
-
- (defvar slatex::*directory-mark*
- (cond ((eq? *op-sys* 'unix) #\/)
- ((eq? *op-sys* 'mac-os) #\:)
- ((memq *op-sys* '(windows os2 dos os2fat)) #\\)
- (else (error "Couldn't determine directory mark."))))
-
- (defvar slatex::*directory-mark-string*
- (list->string (list *directory-mark*)))
-
- (defvar slatex::*file-hider*
- (cond ((memq *op-sys* '(windows os2 unix mac-os)) ".")
- ((memq *op-sys* '(dos os2fat)) "x") ;no such luck for dos & os2fat
- (else "."))) ;use any old character
-
- (define slatex::path-to-list
- (lambda (p)
- ;convert a unix or dos representation of a path to a list of
- ;directory names (strings)
- (let loop ((p (string->list p)) (r (list "")))
- (let ((separator-pos (position-char *path-separator* p)))
- (if separator-pos
- (loop (list-tail p (+ separator-pos 1))
- (cons (list->string (sublist p 0 separator-pos))
- r))
- (reverse! (cons (list->string p) r)))))))
-
- (define slatex::find-some-file
- (lambda (path . files)
- ;look through each directory in path till one of files is found
- (let loop ((path path))
- (if (null? path) #f
- (let ((dir (car path)))
- (let loop1 ((files
- (if (or (string=? dir "") (string=? dir "."))
- files
- (map (lambda (file)
- (string-append dir
- *directory-mark-string*
- file)) files))))
- (if (null? files) (loop (cdr path))
- (let ((file (car files)))
- (if (file-exists? file) file
- (loop1 (cdr files)))))))))))
-
- (define slatex::file-extension
- (lambda (filename)
- ;find extension of filename
- (let ((i (string-position-right #\. filename)))
- (if i (substring filename i (string-length filename))
- #f))))
-
- (define slatex::full-texfile-name
- (lambda (filename)
- ;find the full pathname of the .tex/.sty file filename
- (let ((extn (file-extension filename)))
- (if (and extn (or (string=? extn ".sty") (string=? extn ".tex")))
- (find-some-file *texinputs-list* filename)
- (find-some-file *texinputs-list*
- (string-append filename ".tex") filename)))))
-
- (define slatex::full-styfile-name
- (lambda (filename)
- ;find the full pathname of the .sty file filename
- (find-some-file *texinputs-list*
- (string-append filename ".sty"))))
-
- (define slatex::full-clsfile-name
- (lambda (filename)
- ;find the full pathname of the .cls file filename
- (find-some-file *texinputs-list*
- (string-append filename ".cls"))))
-
- (define slatex::full-scmfile-name
- (lambda (filename)
- ;find the full pathname of the scheme file filename;
- ;acceptable extensions are .scm .ss .s
- (apply (function find-some-file) *texinputs-list*
- filename
- (map (lambda (extn) (string-append filename extn))
- '(".scm" ".ss" ".s")))))
-
- (defvar slatex::subjobname 'fwd)
-
- (defvar slatex::primary-aux-file-count -1)
-
- (define slatex::new-primary-aux-file
- (lambda e
- ;used by new-aux-file unless in protected region;
- ;this is the default
- (set! primary-aux-file-count
- (+ primary-aux-file-count 1))
- (apply (function string-append) *tex-calling-directory*
- *file-hider* "Z"
- (number->string primary-aux-file-count)
- subjobname e)))
-
- (define slatex::new-secondary-aux-file
- (let ((n -1))
- (lambda e
- ;used by new-aux-file when in protected region
- (set! n (+ n 1))
- (apply (function string-append) *tex-calling-directory*
- *file-hider*
- "ZZ" (number->string n) subjobname e))))
-
- (define slatex::new-aux-file
- (lambda e
- ;create a new auxiliary file with provided extension if any
- (apply (if *slatex-in-protected-region?*
- (function new-secondary-aux-file)
- (function new-primary-aux-file))
- e)))
-
- )
\ No newline at end of file
diff --git a/collects/slatex/slatex-code/peephole.scm b/collects/slatex/slatex-code/peephole.scm
deleted file mode 100644
index 92afb6a5..00000000
--- a/collects/slatex/slatex-code/peephole.scm
+++ /dev/null
@@ -1,397 +0,0 @@
-;peephole.scm
-;SLaTeX Version 2.3
-;Peephole adjuster used by the SLaTeX typesetter
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-within slatex
-
- (define slatex::get-line
- (let ((curr-notab &void-notab))
- (lambda (line)
- ;read the current tex line into "line";
- ;returns false on eof
- (let ((graphic-char-seen? #f))
- (let loop ((i 0))
- (let ((c (read-char *in*)))
- (cond (graphic-char-seen? (void))
- ((or (eof-object? c)
- (char=? c *return*)
- (char=? c #\newline)
- (char=? c #\space) (char=? c *tab*))
- (void))
- (else (set! graphic-char-seen? #t)))
- (cond
- ((eof-object? c)
- (cond ((eq? curr-notab &mid-string)
- (if (> i 0)
- (setf (of line =notab / (- i 1)) &end-string)))
- ((eq? curr-notab &mid-comment)
- (set! curr-notab &void-notab))
- ((eq? curr-notab &mid-math)
- (error "get-line: Found eof inside math.")))
- (setf (of line =char / i) #\newline)
- (setf (of line =space / i) &void-space)
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &void-notab)
- (setf (of line =rtedge) i)
- (if (eq? (of line =notab / 0) &mid-string)
- (setf (of line =notab / 0) &begin-string))
- (if (= i 0) #f #t))
- ((or (char=? c *return*) (char=? c #\newline))
- (if (and (memv slatex::*op-sys* '(dos windows os2 os2fat))
- (char=? c *return*))
- (if (char=? (peek-char *in*) #\newline)
- (read-char *in*)))
- (cond ((eq? curr-notab &mid-string)
- (if (> i 0)
- (setf (of line =notab / (- i 1)) &end-string)))
- ((eq? curr-notab &mid-comment)
- (set! curr-notab &void-notab))
- ((eq? curr-notab &mid-math)
- (error "get-line: Sorry, you can't split ~
- math formulas across lines in Scheme code.")))
- (setf (of line =char / i) #\newline)
- (setf (of line =space / i) &void-space)
- (setf (of line =tab / i)
- (cond ((eof-object? (peek-char *in*)) &plain-crg-ret)
- (*intext?* &plain-crg-ret)
- (else &tabbed-crg-ret)))
- (setf (of line =notab / i) &void-notab)
- (setf (of line =rtedge) i)
- (if (eq? (of line =notab / 0) &mid-string)
- (setf (of line =notab / 0) &begin-string))
- #t)
- ((eq? curr-notab &mid-comment)
- (setf (of line =char / i) c)
- (setf (of line =space / i)
- (cond ((char=? c #\space) &plain-space)
- ((char=? c *tab*) &plain-space)
- (else &void-space)))
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &mid-comment)
- (loop (+ i 1)))
- ((char=? c #\\)
- (setf (of line =char / i) c)
- (setf (of line =space / i) &void-space)
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) curr-notab)
- (let ((i+1 (+ i 1)) (c+1 (read-char *in*)))
- (if (char=? c+1 *tab*) (set! c+1 #\space))
- (setf (of line =char / i+1) c+1)
- (setf (of line =space / i+1)
- (if (char=? c+1 #\space) &plain-space
- &void-space))
- (setf (of line =tab / i+1) &void-tab)
- (setf (of line =notab / i+1) curr-notab)
- (loop (+ i+1 1))))
- ((eq? curr-notab &mid-math)
- (if (char=? c *tab*) (set! c #\space))
- (setf (of line =space / i)
- (if (char=? c #\space) &plain-space
- &void-space))
- (setf (of line =tab / i) &void-tab)
- (cond ((memv c *math-triggerers*)
- (setf (of line =char / i) #\$)
- (setf (of line =notab / i) &end-math)
- (setf curr-notab &void-notab))
- (else (setf (of line =char / i) c)
- (setf (of line =notab / i) &mid-math)))
- (loop (+ i 1)))
- ((eq? curr-notab &mid-string)
- (if (char=? c *tab*) (set! c #\space))
- ;or should tab and space be treated differently?
- (setf (of line =char / i) c)
- (setf (of line =space / i)
- (if (char=? c #\space) &inner-space &void-space))
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i)
- (cond ((char=? c #\")
- (set! curr-notab &void-notab)
- &end-string)
- (else &mid-string)))
- (loop (+ i 1)))
- ;henceforth curr-notab is &void-notab
- ((char=? c #\space)
- (setf (of line =char / i) c)
- (setf (of line =space / i)
- (cond (*intext?* &plain-space)
- (graphic-char-seen? &inner-space)
- (else &init-space)))
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &void-notab)
- (loop (+ i 1)))
- ((char=? c *tab*)
- (let loop1 ((i i) (j 0))
- (if (< j 8)
- (begin
- (setf (of line =char / i) #\space)
- (setf (of line =space / i)
- (cond (*intext?* &plain-space)
- (graphic-char-seen? &inner-space)
- (else &init-space)))
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &void-notab)
- (loop1 (+ i 1) (+ j 1)))))
- (loop (+ i 8)))
- ((char=? c #\")
- (setf (of line =char / i) c)
- (setf (of line =space / i) &void-space)
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &begin-string)
- (set! curr-notab &mid-string)
- (loop (+ i 1)))
- ((char=? c #\;)
- (setf (of line =char / i) c)
- (setf (of line =space / i) &void-space)
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &begin-comment)
- (set! curr-notab &mid-comment)
- (loop (+ i 1)))
- ((memv c *math-triggerers*)
- (setf (of line =char / i) #\$)
- (setf (of line =space / i) &void-space)
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &begin-math)
- (set! curr-notab &mid-math)
- (loop (+ i 1)))
- (else (setf (of line =char / i) c)
- (setf (of line =space / i) &void-space)
- (setf (of line =tab / i) &void-tab)
- (setf (of line =notab / i) &void-notab)
- (loop (+ i 1))))))))))
-
- (define slatex::peephole-adjust
- (lambda (curr prev)
- ;adjust the tabbing information on the current line curr and
- ;its previous line prev relative to each other
- (if (or (slatex::blank-line? curr)
- (slatex::flush-comment-line? curr))
- (if (not *latex-paragraph-mode?*)
- (begin
- (set! *latex-paragraph-mode?* #t)
- (if (not *intext?*)
- (begin
- (slatex::remove-some-tabs prev 0)
- (let ((prev-rtedge (of prev =rtedge)))
- (if (eq? (of prev =tab / prev-rtedge) &tabbed-crg-ret)
- (setf (of prev =tab / (of prev =rtedge))
- &plain-crg-ret)))))))
- (begin
- (if *latex-paragraph-mode?*
- (set! *latex-paragraph-mode?* #f)
- (if (not *intext?*)
- (let ((remove-tabs-from #f))
- (let loop ((i 0))
- (cond
- ((char=? (of curr =char / i) #\newline)
- (set! remove-tabs-from i))
- ((char=? (of prev =char / i) #\newline)
- (set! remove-tabs-from #f))
- ((eq? (of curr =space / i) &init-space)
- ;eating initial space of curr
- (if (eq? (of prev =notab / i) &void-notab)
- (begin
- (cond
- ((or (char=? (of prev =char / i) #\()
- (eq? (of prev =space / i) &paren-space))
- (setf (of curr =space / i) &paren-space))
- ((or (char=? (of prev =char / i) #\[)
- (eq? (of prev =space / i) &bracket-space))
- (setf (of curr =space / i) &bracket-space))
- ((or (memv (of prev =char / i) '(#\' #\` #\,))
- (eq? (of prev =space / i) "e-space))
- (setf (of curr =space / i) "e-space)))
- (if (memq (of prev =tab / i)
- (list &set-tab &move-tab))
- (setf (of curr =tab / i) &move-tab))))
- (loop (+ i 1)))
- ;finished tackling &init-spaces of curr
- ((= i 0) ;curr starts left-flush
- (set! remove-tabs-from 0))
- ;at this stage, curr[notab,i]
- ;is either #f or a &begin-comment/string
- ((not (eq? (of prev =tab / i) &void-tab))
- ;curr starts with nice alignment with prev
- (set! remove-tabs-from (+ i 1))
- (if (memq (of prev =tab / i)
- (list &set-tab &move-tab))
- (setf (of curr =tab / i) &move-tab)))
- ((memq (of prev =space / i)
- (list &init-space &init-plain-space
- &paren-space &bracket-space
- "e-space))
- ;curr starts while prev is still empty
- (set! remove-tabs-from (+ i 1)))
- ((and (char=? (of prev =char / (- i 1)) #\space)
- (eq? (of prev =notab / (- i 1)) &void-notab))
- ;curr can induce new alignment straightaway
- (set! remove-tabs-from (+ i 1))
- (setf (of prev =tab / i) &set-tab)
- (setf (of curr =tab / i) &move-tab))
- (else ;curr stakes its &move-tab (modulo parens/bkts)
- ;and induces prev to have corresp &set-tab
- (set! remove-tabs-from (+ i 1))
- (let loop1 ((j (- i 1)))
- (cond ((<= j 0) 'exit-loop1)
- ((not (eq? (of curr =tab / j) &void-tab))
- 'exit-loop1)
- ((memq (of curr =space / j)
- (list &paren-space &bracket-space
- "e-space))
- (loop1 (- j 1)))
- ((or (not (eq? (of prev =notab / j)
- &void-notab))
- (char=? (of prev =char / j) #\space))
- (let ((k (+ j 1)))
- (if (not (memq (of prev =notab / k)
- (list &mid-comment
- &mid-math &end-math
- &mid-string
- &end-string)))
- (begin
- (if (eq? (of prev =tab / k)
- &void-tab)
- (setf (of prev =tab / k)
- &set-tab))
- (setf (of curr =tab / k)
- &move-tab)))))
- (else 'anything-else?)
- )))))
- (remove-some-tabs prev remove-tabs-from))))
- (if (not *intext?*) (slatex::add-some-tabs curr))
- (slatex::clean-init-spaces curr)
- (slatex::clean-inner-spaces curr)))))
-
- (define slatex::add-some-tabs
- (lambda (line)
- ;add some tabs in the body of line "line" so the next line
- ;can exploit them
- (let loop ((i 1) (succ-parens? #f))
- (let ((c (of line =char / i)))
- (cond ((char=? c #\newline) 'exit-loop)
- ((not (eq? (of line =notab / i) &void-notab))
- (loop (+ i 1) #f))
- ((char=? c #\[)
- (if (eq? (of line =tab / i) &void-tab)
- (setf (of line =tab / i) &set-tab))
- (loop (+ i 1) #f))
- ((char=? c #\()
- (if (eq? (of line =tab / i) &void-tab)
- (if (not succ-parens?)
- (setf (of line =tab / i) &set-tab)))
- (loop (+ i 1) #t))
- (else (loop (+ i 1) #f)))))))
-
- (define slatex::remove-some-tabs
- (lambda (line i)
- ;remove useless tabs on line "line" after index i
- (if i
- (let loop ((i i))
- (cond ((char=? (of line =char / i) #\newline) 'exit)
- ((eq? (of line =tab / i) &set-tab)
- (setf (of line =tab / i) &void-tab)
- (loop (+ i 1)))
- (else (loop (+ i 1))))))))
-
- (define slatex::clean-init-spaces
- (lambda (line)
- ;remove init-spaces on line "line" because
- ;tabs make them defunct
- (let loop ((i (of line =rtedge)))
- (cond ((< i 0) 'exit-loop)
- ((eq? (of line =tab / i) &move-tab)
- (let loop1 ((i (- i 1)))
- (cond ((< i 0) 'exit-loop1)
- ((memq (of line =space / i)
- (list &init-space &paren-space &bracket-space
- "e-space))
- (setf (of line =space / i) &init-plain-space)
- (loop1 (- i 1)))
- (else (loop1 (- i 1))))))
- (else (loop (- i 1)))))))
-
- (define slatex::clean-inner-spaces
- (lambda (line)
- ;remove single inner spaces in line "line" since
- ;paragraph mode takes care of them
- (let loop ((i 0) (succ-inner-spaces? #f))
- (cond ((char=? (of line =char / i) #\newline) 'exit-loop)
- ((eq? (of line =space / i) &inner-space)
- (if (not succ-inner-spaces?)
- (setf (of line =space / i) &plain-space))
- (loop (+ i 1) #t))
- (else (loop (+ i 1) #f))))))
-
- (define slatex::blank-line?
- (lambda (line)
- ;check if line "line" is blank
- (let loop ((i 0))
- (let ((c (of line =char / i)))
- (cond ((char=? c #\space)
- (if (eq? (of line =notab / i) &void-notab)
- (loop (+ i 1)) #f))
- ((char=? c #\newline)
- (let loop1 ((j (- i 1)))
- (if (not (<= j 0))
- (begin
- (setf (of line =space / i) &void-space)
- (loop1 (- j 1)))))
- #t)
- (else #f))))))
-
- (define slatex::flush-comment-line?
- (lambda (line)
- ;check if line "line" is one with ; in the leftmost column
- (and (char=? (of line =char / 0) #\;)
- (eq? (of line =notab / 0) &begin-comment)
- (not (char=? (of line =char / 1) #\;)))))
-
- (define slatex::do-all-lines
- (lambda ()
- ;process all lines, adjusting each adjacent pair
- (let loop ((line1 *line1*) (line2 *line2*))
- (let* ((line2-paragraph? *latex-paragraph-mode?*)
- (more? (get-line line1)))
- ;
- (peephole-adjust line1 line2)
- ;
- (funcall (if line2-paragraph?
- (function slatex::display-tex-line)
- (function slatex::display-scm-line)) line2)
- ;
- (if (not (eq? line2-paragraph? *latex-paragraph-mode?*))
- (funcall (if *latex-paragraph-mode?*
- (function display-end-sequence)
- (function display-begin-sequence)) *out*))
- ;
- (if more? (loop line2 line1))))))
-
- ;scheme2tex is the "interface" procedure supplied by this file --
- ;it takes Scheme code from inport and produces LaTeX source for same
- ;in outport
-
- (define slatex::scheme2tex
- (lambda (inport outport)
- ;create a typeset version of scheme code from inport
- ;in outport;
- ;local setting of keywords, etc.?
- (set! *in* inport)
- (set! *out* outport)
- (set! *latex-paragraph-mode?* #t)
- (set! *in-qtd-tkn* #f)
- (set! *in-bktd-qtd-exp* 0)
- (set! *in-mac-tkn* #f)
- (set! *in-bktd-mac-exp* 0)
- (set! *case-stack* '())
- (set! *bq-stack* '())
- (let ((flush-line ;needed anywhere else?
- (lambda (line)
- (setf (of line =rtedge) 0)
- (setf (of line =char / 0) #\newline)
- (setf (of line =space / 0) &void-space)
- (setf (of line =tab / 0) &void-tab)
- (setf (of line =notab / 0) &void-notab))))
- (funcall flush-line *line1*)
- (funcall flush-line *line2*))
- (do-all-lines)))
- )
diff --git a/collects/slatex/slatex-code/preproc.lsp b/collects/slatex/slatex-code/preproc.lsp
deleted file mode 100644
index 27137b68..00000000
--- a/collects/slatex/slatex-code/preproc.lsp
+++ /dev/null
@@ -1,157 +0,0 @@
-;preproc.lsp
-;Preprocessor to allow CL interpret the brand of Scheme
-;used in SLaTeX.
-;(c) Dorai Sitaram, Nov. 1992
-
-#+gcl
-(make-package :slatex)
-
-#-gcl
-(defpackage slatex
- (:use cl))
-
-;print lower-case
-
-(setq *print-case* :downcase)
-
-;defmacro-slatex
-
-(defmacro defmacro-slatex (m vv &rest ee)
- `(progn
- (setf (get nil ',m) ',m)
- (setf (get ',m 'defmacro-slatex)
- #'(lambda ,vv ,@ee))))
-
-(defun slatex-macro-p (s)
- (and (symbolp s) (get s 'defmacro-slatex)))
-
-(defun expand-macrocalls (e)
- (if (not (consp e)) e
- (let* ((a (car e)) (xfmr (slatex-macro-p a)))
- (if xfmr
- (expand-macrocalls (apply xfmr (cdr e)))
- (case a
- ((quote) e)
- ((lambda)
- `(lambda ,(cadr e)
- ,@(mapcar #'expand-macrocalls (cddr e))))
- ((case)
- `(case ,(expand-macrocalls (cadr e))
- ,@(mapcar #'(lambda (clause)
- `(,(car clause)
- ,@(mapcar #'expand-macrocalls (cdr clause))))
- (cddr e))))
- (t (mapcar #'expand-macrocalls e)))))))
-
-;some macros
-
-;package
-
-(defvar *alias-alist* '())
-
-(defun make-slatex-alias (zz)
- (loop
- (when (null zz) (return))
- (push (cons (car zz) (cadr zz)) *alias-alist*)
- (setq zz (cddr zz))))
-
-(load "aliases.scm")
-
-(defmacro-slatex eval-within (p &rest ee)
- (let ((ee (nsublis *alias-alist* ee)))
- (case (length ee)
- ((0) nil)
- ((1) (car ee))
- (t (cons 'progn ee)))))
-
-(defmacro-slatex slatex::%lambda (parms &rest body)
- `(function
- (lambda ,(dot-to-and-rest parms) ; cl::lambda
- ,@body)))
-
-(defun dot-to-and-rest (vv)
- ;Change the . z format of Scheme lambdalists to
- ;CL's &rest z format
- (cond ((null vv) nil)
- ((symbolp vv) `(&rest ,vv))
- (t (let* ((last-vv (last vv))
- (cdr-last-vv (cdr last-vv)))
- (if cdr-last-vv
- (progn
- (setf (cdr last-vv) `(&rest ,cdr-last-vv))
- vv)
- vv)))))
-
-(defmacro-slatex define (x e)
- (unless (and x (symbolp x) (consp e))
- (error "define ~s ~s" x e))
- (let ((a (car e)))
- (case a
- ((slatex::%let let*)
- `(,a ,(cadr e)
- (define ,x ,(caddr e))))
- ((slatex::%lambda)
- `(defun ,x ,(dot-to-and-rest (cadr e))
- ,@(cddr e)))
- (t (error "define ~s ~s" x e)))))
-
-(defmacro-slatex slatex::%let (n &rest ee)
- ;Named let with name containing the string "loop"
- ;is considered to be iterative and is transformed
- ;into CL loop.
- (if (and n (symbolp n))
- (let ((tail-recursive-p
- (search "LOOP" (symbol-name n))))
- (if (and tail-recursive-p (eq n 'loop))
- (setf n '%%%loop%%%
- ee (nsublis `((loop . ,n)) ee)))
- `(,(if tail-recursive-p 'named-let-tail-recursive
- 'named-let-non-tail-recursive) ,n ,@ee))
- `(let ,n ,@ee))) ; cl::let?
-
-(defmacro-slatex named-let-non-tail-recursive (n xvxv &rest ee)
- `(labels ((,n ,(mapcar 'car xvxv) ,@ee))
- (,n ,@(mapcar 'cadr xvxv))))
-
-(defmacro-slatex named-let-tail-recursive (n xvxv &rest ee)
- (let ((xx (mapcar 'car xvxv)))
- `(let ,xvxv
- (flet ((,n ,xx
- (throw ',n (values ,@xx))))
- (loop
- (multiple-value-setq ,xx
- (let ,(mapcar #'(lambda (x) `(,x ,x)) xx)
- (catch ',n
- (return ,(if (= (length ee) 1) (car ee)
- (cons 'progn ee)))))))))))
-
-(defmacro-slatex defenum (&rest z)
- (do ((z z (cdr z))
- (n 0 (1+ n))
- (r '() (cons `(defvar ,(car z) (code-char ,n)) r)))
- ((null z) `(progn ,@r))))
-
-(defmacro-slatex defrecord (name &rest fields)
- (do ((fields fields (cdr fields))
- (i 0 (1+ i))
- (r '() (cons `(defvar ,(car fields) ,i) r)))
- ((null fields)
- `(progn
- (defun ,name () (make-array ,i))
- ,@r))))
-
-(defmacro-slatex of (r i &rest z)
- (cond ((null z) `(elt ,r ,i))
- ((and (eq i '/) (= (length z) 1))
- `(char ,r ,(car z)))
- (t `(of (elt ,r ,i) ,@z))))
-
-(defmacro-slatex eval-if (dialects &rest body)
- (if (member 'cl dialects)
- (if (= (length body) 1) (car body)
- `(progn ,@body))))
-
-(defmacro-slatex eval-unless (dialects &rest body)
- (if (not (member 'cl dialects))
- (if (= (length body) 1) (car body)
- `(progn ,@body))))
diff --git a/collects/slatex/slatex-code/preproc.scm b/collects/slatex/slatex-code/preproc.scm
deleted file mode 100644
index 2a65d57c..00000000
--- a/collects/slatex/slatex-code/preproc.scm
+++ /dev/null
@@ -1,247 +0,0 @@
-;preproc.scm
-;Macro preprocessor for SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-;property lists
-
-(define preproc:*properties* '())
-
-(define preproc:get
- (lambda (sym prop . default)
- (let ((sym-props (assoc sym preproc:*properties*)))
- (cond (sym-props
- (let ((prop-val (assoc prop (cdr sym-props))))
- (cond (prop-val (cdr prop-val))
- ((pair? default) (car default))
- (else #f))))
- ((pair? default) (car default))
- (else #f)))))
-
-(define preproc:put
- (lambda (sym prop val)
- (let ((sym-props (assoc sym preproc:*properties*)))
- (if sym-props
- (let* ((props (cdr sym-props))
- (prop-val (assoc prop props)))
- (if prop-val
- (set-cdr! prop-val val)
- (set-cdr! sym-props
- (cons (cons prop val) props))))
- (set! preproc:*properties*
- (cons (cons sym (list (cons prop val)))
- preproc:*properties*))))))
-
-;define-macro
-
-(define defmacro-preproc
- (lambda (kw xfmr)
- (preproc:put #f kw kw)
- (preproc:put kw 'defmacro-preproc xfmr)))
-
-(define preproc:macro?
- (lambda (s)
- (and (symbol? s)
- (preproc:get s 'defmacro-preproc))))
-
-(define expand-macrocalls
- (lambda (e)
- (if (not (pair? e)) e
- (let* ((a (car e)) (xfmr (preproc:macro? a)))
- (if xfmr
- (expand-macrocalls (apply xfmr (cdr e)))
- (case a
- ;;something that looks like a macro call
- ;;within quote shouldn't be expanded
- ((quote) e)
- ;;lambda-arg can contain dotted list -- so
- ;;we avoid letting else-clause map across it
- ((lambda)
- `(lambda ,(cadr e)
- ,@(map expand-macrocalls (cddr e))))
- ;;case-tags can look like macro calls -- these
- ;;shouldn't be expanded
- ((case)
- `(case ,(expand-macrocalls (cadr e))
- ,@(map (lambda (clause)
- `(,(car clause)
- ,@(map expand-macrocalls (cdr clause))))
- (cddr e))))
- ;;expand-macrocalls can be mapped across the rest --
- ;;it isn't likely that we can have an expression
- ;;that looks like a macro call but isn't
- (else (map expand-macrocalls e))))))))
-
-;some macros
-
-;package
-
-(define make-slatex-alias
- (lambda (zz)
- (if (not (null? zz))
- (begin
- (preproc:put 'slatex (car zz) (cadr zz))
- (make-slatex-alias (cddr zz))))))
-
-(load "aliases.scm")
-
-(define preproc:string-index
- (lambda (s c)
- (let ((n (string-length s)))
- (let loop ((i 0))
- (cond ((>= i n) #f)
- ((char=? (string-ref s i) c) i)
- (else (loop (+ i 1))))))))
-
-(defmacro-preproc 'in-package
- (lambda (p) #f))
-
-(defmacro-preproc 'shadow
- (lambda (xx) #f))
-
-(define *current-package* #f)
-
-(defmacro-preproc 'eval-within
- (lambda (p . ee)
- (let ((ee
- (let insert-qualifieds ((e ee))
- (cond ((pair? e)
- (set-car! e (insert-qualifieds (car e)))
- (set-cdr! e (insert-qualifieds (cdr e)))
- e)
- ((symbol? e)
- (%eval-within-get-qualified-symbol p e))
- (else e)))))
- (case (length ee)
- ((0) #f)
- ((1) (car ee))
- (else (cons 'begin ee))))))
-
-(define %eval-within-get-qualified-symbol
- (lambda (curr-p px)
- (let* ((px-s (symbol->string px))
- (i (%eval-within-dblcolon-index px-s)))
- (cond (i (let ((p (string->symbol (substring px-s 0 i)))
- (x (string->symbol (substring px-s (+ i 2)
- (string-length px-s)))))
- (if (eq? p curr-p) (preproc:put p x px))
- px))
- (else (cond ((preproc:get curr-p px))
- ((preproc:get #f px))
- (else px)))))))
-
-(define %eval-within-dblcolon-index
- (lambda (s)
- (let ((i (preproc:string-index s #\:)))
- (if (or (not i)
- (= i (- (string-length s) 1))) #f
- (let ((i+1 (+ i 1)))
- (if (char=? (string-ref s i+1) #\:)
- i #f))))))
-
-;defvar
-
-(defmacro-preproc 'defvar
- (lambda (x e)
- `(define ,x ,e)))
-
-;fluid-let
-
-(define gentemp
- (let ((n -1))
- (lambda ()
- ;;generates an allegedly new symbol. This is a
- ;;gross hack since there is no standardized way
- ;;of getting uninterned symbols
- (set! n (+ n 1))
- (string->symbol (string-append "%:g" (number->string n) "%")))))
-
-(defmacro-preproc 'fluid-let
- (lambda (let-pairs . body)
- (let ((x-s (map car let-pairs))
- (i-s (map cadr let-pairs))
- (old-x-s (map (lambda (p) (gentemp)) let-pairs)))
- `(let ,(map (lambda (old-x x) `(,old-x ,x)) old-x-s x-s)
- ,@(map (lambda (x i) `(set! ,x ,i)) x-s i-s)
- (let ((%temp% (begin ,@body)))
- ,@(map (lambda (x old-x) `(set! ,x ,old-x)) x-s old-x-s)
- %temp%)))))
-
-;defenum
-
-(defmacro-preproc 'defenum
- (lambda z
- (let loop ((z z) (n 0) (r '()))
- (if (null? z) `(begin ,@r)
- (loop (cdr z) (+ n 1)
- (cons `(define ,(car z) (integer->char ,n)) r))))))
-
-;defrecord
-
-(defmacro-preproc 'defrecord
- (lambda (name . fields)
- (let loop ((fields fields) (i 0) (r '()))
- (if (null? fields)
- `(begin (define ,name (lambda () (make-vector ,i)))
- ,@r)
- (loop (cdr fields) (+ i 1)
- (cons `(define ,(car fields) ,i) r))))))
-
-;of
-
-(defmacro-preproc 'of
- (lambda (r i . z)
- (cond ((null? z) `(vector-ref ,r ,i))
- ((and (eq? i '/) (= (length z) 1))
- `(string-ref ,r ,(car z)))
- (else `(of (vector-ref ,r ,i) ,@z)))))
-
-;setf
-
-(defmacro-preproc 'setf
- (lambda (l r)
- (if (symbol? l) `(set! ,l ,r)
- (let ((a (car l)))
- (if (eq? a 'list-ref)
- `(set-car! (list-tail ,@(cdr l)) ,r)
- `(,(cond ((eq? a 'list-ref) 'list-set!)
- ((eq? a 'string-ref) 'string-set!)
- ((eq? a 'vector-ref) 'vector-set!)
- ((eq? a 'of) 'the-setter-for-of)
- (else
- (error "(setf ~s ~s) is ill-formed." l r)))
- ,@(cdr l) ,r))))))
-
-;the-setter-for-of
-
-(defmacro-preproc 'the-setter-for-of
- (lambda (r i j . z)
- (cond ((null? z) `(vector-set! ,r ,i ,j))
- ((and (eq? i '/) (= (length z) 1))
- `(string-set! ,r ,j ,(car z)))
- (else `(the-setter-for-of (vector-ref ,r ,i) ,j ,@z)))))
-
-;eval-{if,unless}
-
-(defmacro-preproc 'eval-if
- (lambda (dialects . body)
- (if (memq dialect dialects)
- (if (= (length body) 1) (car body)
- `(begin ,@body))
- `#f)))
-
-(defmacro-preproc 'eval-unless
- (lambda (dialects . body)
- (if (not (memq dialect dialects))
- (if (= (length body) 1) (car body)
- `(begin ,@body))
- `#f)))
-
-;func{tion, all}
-
-(defmacro-preproc 'function
- (lambda (x)
- `,x))
-
-(defmacro-preproc 'funcall
- (lambda (f . args)
- `(,f ,@args)))
diff --git a/collects/slatex/slatex-code/proctex.scm b/collects/slatex/slatex-code/proctex.scm
deleted file mode 100644
index 692bec75..00000000
--- a/collects/slatex/slatex-code/proctex.scm
+++ /dev/null
@@ -1,245 +0,0 @@
-;proctex.scm
-;SLaTeX v. 2.4
-;Implements SLaTeX's piggyback to LaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1999
-
-(eval-if (cl)
- (eval-within slatex
- (defun ignore2 (i ii)
- (declare (ignore i ii))
- (values))))
-
-(eval-unless (cl)
- (eval-within slatex
- (define slatex::ignore2
- (lambda (i ii)
- ;ignores its two arguments
- 'void))))
-
-(eval-within slatex
-
- (defvar slatex::version-number "2.4w")
-
- (define slatex::disable-slatex-temply
- (lambda (in)
- ;tell slatex that it should not process slatex commands till
- ;the enabling control sequence is called
- (set! *slatex-enabled?* #f)
- (set! *slatex-reenabler* (read-grouped-latexexp in))))
-
- (define slatex::enable-slatex-again
- (lambda ()
- ;tell slatex to resume processing slatex commands
- (set! *slatex-enabled?* #t)
- (set! *slatex-reenabler* "UNDEFINED")))
-
- (define slatex::add-to-slatex-db
- (lambda (in categ)
- ;some scheme identifiers to be added to the token category categ
- (if (memq categ '(keyword constant variable))
- (slatex::add-to-slatex-db-basic in categ)
- (slatex::add-to-slatex-db-special in categ))))
-
- (define slatex::add-to-slatex-db-basic
- (lambda (in categ)
- ;read the following scheme identifiers and add them to the
- ;token category categ
- (let ((setter (cond ((eq? categ 'keyword) (function set-keyword))
- ((eq? categ 'constant) (function set-constant))
- ((eq? categ 'variable) (function set-variable))
- (else (error "add-to-slatex-db-basic: ~
-Unknown category ~s." categ))))
- (ids (read-grouped-schemeids in)))
- (for-each setter ids))))
-
- (define slatex::add-to-slatex-db-special
- (lambda (in what)
- ;read the following scheme identifier(s) and either
- ;enable/disable its special-symbol status
- (let ((ids (read-grouped-schemeids in)))
- (cond ((eq? what 'unsetspecialsymbol)
- (for-each (function unset-special-symbol) ids))
- ((eq? what 'setspecialsymbol)
- (if (not (= (length ids) 1))
- (error "add-to-slatex-db-special: ~
-\\setspecialsymbol takes one arg exactly."))
- (let ((transl (read-grouped-latexexp in)))
- (set-special-symbol (car ids) transl)))
- (else (error "add-to-slatex-db-special: ~
-Unknown command ~s." what))))))
-
- (define slatex::process-slatex-alias
- (lambda (in what which)
- ;add/remove a slatex control sequence name
- (let ((triggerer (read-grouped-latexexp in)))
- (case which
- ((intext)
- (set! *intext-triggerers*
- (funcall what triggerer *intext-triggerers*
- (function string=?))))
- ((resultintext)
- (set! *resultintext-triggerers*
- (funcall what triggerer *resultintext-triggerers*
- (function string=?))))
- ((display)
- (set! *display-triggerers*
- (funcall what triggerer *display-triggerers*
- (function string=?))))
- ((response)
- (set! *response-triggerers*
- (funcall what triggerer *response-triggerers*
- (function string=?))))
- ((respbox)
- (set! *respbox-triggerers*
- (funcall what triggerer *respbox-triggerers*
- (function string=?))))
- ((box)
- (set! *box-triggerers*
- (funcall what triggerer *box-triggerers*
- (function string=?))))
- ((input)
- (set! *input-triggerers*
- (funcall what triggerer *input-triggerers*
- (function string=?))))
- ((region)
- (set! *region-triggerers*
- (funcall what triggerer *region-triggerers*
- (function string=?))))
- ((mathescape)
- (if (not (= (string-length triggerer) 1))
- (error "process-slatex-alias: ~
-Math escape should be character."))
- (set! *math-triggerers*
- (funcall what (string-ref triggerer 0)
- *math-triggerers* (function char=?))))
- (else (error "process-slatex-alias:
-Unknown command ~s." which))))))
-
- (define slatex::decide-latex-or-tex
- (lambda (latex?)
- ;create a junk file if the file is in plain tex rather
- ;than latex; this is used afterward to call the right
- ;command, i.e., latex or tex
- (set! *latex?* latex?)
- (let ((pltexchk.jnk "pltexchk.jnk"))
- (if (file-exists? pltexchk.jnk) (delete-file pltexchk.jnk))
- (if (not *latex?*)
- (call-with-output-file pltexchk.jnk
- (lambda (outp)
- (display 'junk outp)
- (newline outp)))))))
-
- (define slatex::process-include-only
- (lambda (in)
- ;remember the files mentioned by \includeonly
- (set! *include-onlys* '())
- (for-each
- (lambda (filename)
- (let ((filename (full-texfile-name filename)))
- (if filename
- (set! *include-onlys*
- (adjoin filename *include-onlys*
- (function string=?))))))
- (read-grouped-commaed-filenames in))))
-
- (define slatex::process-documentstyle
- (lambda (in)
- ;process the .sty files corresponding to the documentstyle options
- (eat-tex-whitespace in)
- (if (char=? (peek-char in) #\[)
- (for-each
- (lambda (filename)
- (fluid-let ((*slatex-in-protected-region?* #f))
- (slatex::process-tex-file
- (string-append filename ".sty"))))
- (read-bktd-commaed-filenames in)))))
-
- (define slatex::process-documentclass
- (lambda (in)
- (eat-bktd-text in)
- (eat-grouped-text in)))
-
- (define slatex::process-case-info
- (lambda (in)
- ;find out and tell slatex if the scheme tokens that differ
- ;only by case should be treated identical or not
- (let ((bool (read-grouped-latexexp in)))
- (set! *slatex-case-sensitive?*
- (cond ((string-ci=? bool "true") #t)
- ((string-ci=? bool "false") #f)
- (else (error "process-case-info: ~
-\\schemecasesensitive's arg should be true or false.")))))))
-
- (defvar slatex::seen-first-command? #f)
-
- (define slatex::process-main-tex-file
- (lambda (filename)
- ;kick off slatex on the main .tex file filename
- (display "SLaTeX v. ")
- (display version-number)
- (newline)
- (set! primary-aux-file-count -1)
- (set! *slatex-separate-includes?* #f)
- (if (or (not *texinputs-list*) (null? *texinputs-list*))
- (set! *texinputs-list*
- (if *texinputs* (path-to-list *texinputs*)
- '(""))))
- (let ((file-hide-file "xZfilhid.tex"))
- (if (file-exists? file-hide-file) (delete-file file-hide-file))
- (if (memq *op-sys* '(dos os2fat))
- (call-with-output-file file-hide-file
- (lambda (out)
- (display "\\def\\filehider{x}" out)
- (newline out))
- 'text)))
- (display "typesetting code")
- (set! *tex-calling-directory* (directory-namestring filename))
- (set! subjobname (basename filename))
- (set! seen-first-command? #f)
- (process-tex-file filename)
- (display "done")
- (newline)))
-
- (define slatex::dump-intext
- (lambda (in out)
- (let* ((write-char (if out (function write-char) (function ignore2)))
- (delim-char (begin (eat-whitespace in) (read-char in)))
- (delim-char
- (cond ((char=? delim-char #\{) #\})
- (else delim-char))))
- (if (eof-object? delim-char)
- (error "dump-intext: Expected delimiting character ~
-but found eof."))
- (let loop ()
- (let ((c (read-char in)))
- (if (eof-object? c)
- (error "dump-intext: Found eof inside Scheme code."))
- (if (char=? c delim-char) 'done
- (begin (funcall write-char c out) (loop))))))))
-
- (define slatex::dump-display
- (lambda (in out ender)
- (eat-tabspace in)
- (let ((write-char (if out (function write-char) (function ignore2)))
- (ender-lh (string-length ender)) (c (peek-char in)))
- (if (eof-object? c)
- (error "dump-display: Found eof inside displayed code."))
- (if (char=? c #\newline) (read-char in))
- (let loop ((i 0))
- (if (= i ender-lh) 'done
- (let ((c (read-char in)))
- (if (eof-object? c)
- (error "dump-display: Found eof inside displayed code."))
- (if (char=? c (string-ref ender i))
- (loop (+ i 1))
- (let loop2 ((j 0))
- (if (< j i)
- (begin
- (funcall write-char (string-ref ender j) out)
- (loop2 (+ j 1)))
- (begin
- (funcall write-char c out)
- (loop 0)))))))))))
-
- ;continued on proctex2.scm
- )
diff --git a/collects/slatex/slatex-code/proctex2.scm b/collects/slatex/slatex-code/proctex2.scm
deleted file mode 100644
index c80f7338..00000000
--- a/collects/slatex/slatex-code/proctex2.scm
+++ /dev/null
@@ -1,451 +0,0 @@
-;proctex2.scm
-;SLaTeX v. 2.4
-;Implements SLaTeX's piggyback to LaTeX
-;...continued from proctex.scm
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-within slatex
-
- (defvar slatex::debug? #f)
-
- (define slatex::process-tex-file
- (lambda (raw-filename)
- ;call slatex on the .tex file raw-filename
- (if debug?
- (begin (display "begin ")
- (display raw-filename)
- (newline)))
- (let ((filename (full-texfile-name raw-filename)))
- (if (not filename) ;didn't find it
- (begin (display "[")
- (display raw-filename)
- (display "]") (force-output))
- (call-with-input-file filename
- (lambda (in)
- (let ((done? #f))
- (let loop ()
- (if done? 'exit-loop
- (begin
- (let ((c (read-char in)))
- (cond
- ((eof-object? c) (set! done? #t))
- ((char=? c #\%) (eat-till-newline in))
- ((char=? c #\\)
- (let ((cs (read-ctrl-seq in)))
- (if (not seen-first-command?)
- (begin
- (set! seen-first-command? #t)
- (decide-latex-or-tex
- (or
- (string=? cs "documentstyle")
- (string=? cs "documentclass")
- (string=? cs "NeedsTeXFormat")
- ))))
- (cond
- ((not *slatex-enabled?*)
- (if (string=? cs *slatex-reenabler*)
- (enable-slatex-again)))
- ((string=? cs "slatexignorecurrentfile")
- (set! done? #t))
- ((string=? cs "slatexseparateincludes")
- (if *latex?*
- (set! *slatex-separate-includes?* #t)))
- ((string=? cs "slatexdisable")
- (disable-slatex-temply in))
- ((string=? cs "begin")
- (eat-tex-whitespace in)
- (if (eqv? (peek-char in) #\{)
- (let ((cs (read-grouped-latexexp in)))
- (cond
- ((member cs *display-triggerers*)
- (slatex::trigger-scheme2tex
- 'envdisplay in cs))
- ((member cs *response-triggerers*)
- (trigger-scheme2tex 'envresponse
- in cs))
- ((member cs *respbox-triggerers*)
- (trigger-scheme2tex 'envrespbox
- in cs))
- ((member cs *box-triggerers*)
- (trigger-scheme2tex 'envbox
- in cs))
- ((member cs *top-box-triggerers*)
- (trigger-scheme2tex 'envtopbox
- in cs))
- ((member cs *region-triggerers*)
- (slatex::trigger-region
- 'envregion in cs))))))
- ((member cs *intext-triggerers*)
- (trigger-scheme2tex 'intext in #f))
- ((member cs *resultintext-triggerers*)
- (trigger-scheme2tex 'resultintext in #f))
- ((member cs *display-triggerers*)
- (trigger-scheme2tex 'plaindisplay
- in cs))
- ((member cs *response-triggerers*)
- (trigger-scheme2tex 'plainresponse
- in cs))
- ((member cs *respbox-triggerers*)
- (trigger-scheme2tex 'plainrespbox
- in cs))
- ((member cs *box-triggerers*)
- (trigger-scheme2tex 'plainbox
- in cs))
- ((member cs *region-triggerers*)
- (trigger-region 'plainregion
- in cs))
- ((member cs *input-triggerers*)
- (slatex::process-scheme-file
- (read-filename in)))
- ((string=? cs "input")
- (let ((f (read-filename in)))
- (if (not (string=? f ""))
- (fluid-let
- ((*slatex-in-protected-region?*
- #f))
- (process-tex-file f)))))
- ((string=? cs "usepackage")
- (fluid-let ((*slatex-in-protected-region?*
- #f))
- (process-tex-file
- (string-append (read-filename in)
- ".sty"))))
- ((string=? cs "include")
- (if *latex?*
- (let ((f (full-texfile-name
- (read-filename in))))
- (if (and f
- (or (eq? *include-onlys* 'all)
- (member f
- *include-onlys*)))
- (fluid-let
- ((*slatex-in-protected-region?*
- #f))
- (if *slatex-separate-includes?*
- (fluid-let
- ((subjobname
- (basename f))
- (primary-aux-file-count
- -1))
- (process-tex-file f))
- (process-tex-file f)))))))
- ((string=? cs "includeonly")
- (if *latex?* (process-include-only in)))
- ((string=? cs "documentstyle")
- (if *latex?* (process-documentstyle in)))
- ((string=? cs "documentclass")
- (if *latex?* (process-documentclass in)))
- ((string=? cs "schemecasesensitive")
- (process-case-info in))
- ((string=? cs "defschemetoken")
- (process-slatex-alias
- in (function adjoin)
- 'intext))
- ((string=? cs "undefschemetoken")
- (process-slatex-alias
- in (function delete)
- 'intext))
- ((string=? cs "defschemeresulttoken")
- (process-slatex-alias
- in (function adjoin)
- 'resultintext))
- ((string=? cs "undefschemeresulttoken")
- (process-slatex-alias
- in (function delete)
- 'resultintext))
- ((string=? cs "defschemeresponsetoken")
- (process-slatex-alias
- in (function adjoin)
- 'response))
- ((string=? cs "undefschemeresponsetoken")
- (process-slatex-alias
- in (function delete)
- 'response))
- ((string=? cs "defschemeresponseboxtoken")
- (process-slatex-alias
- in (function adjoin)
- 'respbox))
- ((string=? cs "undefschemeresponseboxtoken")
- (process-slatex-alias
- in (function delete)
- 'respbox))
- ((string=? cs "defschemedisplaytoken")
- (process-slatex-alias
- in (function adjoin)
- 'display))
- ((string=? cs "undefschemedisplaytoken")
- (process-slatex-alias
- in (function delete)
- 'display))
- ((string=? cs "defschemeboxtoken")
- (process-slatex-alias
- in (function adjoin)
- 'box))
- ((string=? cs "undefschemeboxtoken")
- (process-slatex-alias
- in (function delete)
- 'box))
- ((string=? cs "defschemeinputtoken")
- (process-slatex-alias
- in (function adjoin)
- 'input))
- ((string=? cs "undefschemeinputtoken")
- (process-slatex-alias
- in (function delete)
- 'input))
- ((string=? cs "defschemeregiontoken")
- (process-slatex-alias
- in (function adjoin)
- 'region))
- ((string=? cs "undefschemeregiontoken")
- (process-slatex-alias in
- (function delete)
- 'region))
- ((string=? cs "defschememathescape")
- (process-slatex-alias in
- (function adjoin)
- 'mathescape))
- ((string=? cs "undefschememathescape")
- (process-slatex-alias in
- (function delete)
- 'mathescape))
- ((string=? cs "setkeyword")
- (add-to-slatex-db in 'keyword))
- ((string=? cs "setconstant")
- (add-to-slatex-db in 'constant))
- ((string=? cs "setvariable")
- (add-to-slatex-db in 'variable))
- ((string=? cs "setspecialsymbol")
- (add-to-slatex-db in 'setspecialsymbol))
- ((string=? cs "unsetspecialsymbol")
- (add-to-slatex-db in 'unsetspecialsymbol))
- )))))
- (loop))))))
- 'text)))
- (if debug?
- (begin (display "end ")
- (display raw-filename)
- (newline)))
- ))
-
- (define slatex::process-scheme-file
- (lambda (raw-filename)
- ;typeset the scheme file raw-filename so that it can
- ;be input as a .tex file
- (let ((filename (full-scmfile-name raw-filename)))
- (if (not filename)
- (begin (display "process-scheme-file: ")
- (display raw-filename)
- (display " doesn't exist")
- (newline))
- (let ((aux.tex (new-aux-file ".tex")))
- (display ".") (force-output)
- (if (file-exists? aux.tex) (delete-file aux.tex))
- (call-with-input-file filename
- (lambda (in)
- (call-with-output-file aux.tex
- (lambda (out)
- (fluid-let ((*intext?* #f)
- (*code-env-spec* "ZZZZschemedisplay"))
- (scheme2tex in out)))
- 'text))
- 'text)
- (if *slatex-in-protected-region?*
- (set! *protected-files* (cons aux.tex *protected-files*)))
- (process-tex-file filename))))))
-
- (define slatex::trigger-scheme2tex
- (lambda (typ in env)
- ;process the slatex command identified by typ;
- ;env is the name of the environment
- (let* ((aux (new-aux-file)) (aux.scm (string-append aux ".scm"))
- (aux.tex (string-append aux ".tex")))
- (if (file-exists? aux.scm) (delete-file aux.scm))
- (if (file-exists? aux.tex) (delete-file aux.tex))
- (display ".") (force-output)
- (call-with-output-file aux.scm
- (lambda (out)
- (cond ((memq typ '(intext resultintext)) (dump-intext in out))
- ((memq typ '(envdisplay envresponse envrespbox envbox envtopbox))
- (dump-display in out (string-append "\\end{" env "}")))
- ((memq typ '(plaindisplay plainresponse
- plainrespbox plainbox))
- (dump-display in out (string-append "\\end" env)))
- (else (error "trigger-scheme2tex: ~
-Unknown triggerer ~s." typ))))
- 'text)
- (call-with-input-file aux.scm
- (lambda (in)
- (call-with-output-file aux.tex
- (lambda (out)
- (fluid-let
- ((*intext?* (memq typ '(intext resultintext)))
- (*code-env-spec*
- (cond ((eq? typ 'intext) "ZZZZschemecodeintext")
- ((eq? typ 'resultintext)
- "ZZZZschemeresultintext")
- ((memq typ '(envdisplay plaindisplay))
- "ZZZZschemedisplay")
- ((memq typ '(envresponse plainresponse))
- "ZZZZschemeresponse")
- ((memq typ '(envrespbox plainrespbox))
- "ZZZZschemeresponsebox")
- ((memq typ '(envbox plainbox))
- "ZZZZschemebox")
- ((memq typ '(envtopbox))
- "ZZZZschemetopbox")
- (else (error "trigger-scheme2tex: ~
-Unknown triggerer ~s." typ)))))
- (scheme2tex in out)))
- 'text))
- 'text)
- (if *slatex-in-protected-region?*
- (set! *protected-files* (cons aux.tex *protected-files*)))
- (if (memq typ '(envdisplay plaindisplay envbox plainbox envtopbox))
- (process-tex-file aux.tex))
- (delete-file aux.scm)
- )))
-
- (define slatex::trigger-region
- (lambda (typ in env)
- ;process a scheme region to create a in-lined file with
- ;slatex output
- (let ((aux.tex (new-primary-aux-file ".tex"))
- (aux2.tex (new-secondary-aux-file ".tex")))
- (if (file-exists? aux2.tex) (delete-file aux2.tex))
- (if (file-exists? aux.tex) (delete-file aux.tex))
- (display ".") (force-output)
- (fluid-let ((*slatex-in-protected-region?* #t)
- (*protected-files* '()))
- (call-with-output-file aux2.tex
- (lambda (out)
- (cond ((eq? typ 'envregion)
- (dump-display in out (string-append "\\end{" env "}")))
- ((eq? typ 'plainregion)
- (dump-display in out (string-append "\\end" env)))
- (else (error "trigger-region: ~
-Unknown triggerer ~s." typ))))
- 'text)
- (process-tex-file aux2.tex)
- (set! *protected-files* (reverse! *protected-files*))
- (call-with-input-file aux2.tex
- (lambda (in)
- (call-with-output-file aux.tex
- (lambda (out)
- (slatex::inline-protected-files in out))
- 'text))
- 'text)
- (delete-file aux2.tex)
- ))))
-
- (define slatex::inline-protected-files
- (lambda (in out)
- ;inline all the protected files in port in into port out
- (let ((done? #f))
- (let loop ()
- (if done? 'exit-loop
- (begin
- (let ((c (read-char in)))
- (cond ((eof-object? c)
- ;(display "{}" out)
- (set! done? #t))
- ((or (char=? c *return*) (char=? c #\newline))
- (let ((c2 (peek-char in)))
- (if (not (eof-object? c2))
- (write-char c out))))
- ((char=? c #\%)
- (write-char c out) (newline out)
- (eat-till-newline in))
- ((char=? c #\\)
- (let ((cs (read-ctrl-seq in)))
- (cond
- ((string=? cs "begin")
- (let ((cs (read-grouped-latexexp in)))
- (cond ((member cs *display-triggerers*)
- (slatex::inline-protected
- 'envdisplay in out cs))
- ((member cs *response-triggerers*)
- (inline-protected
- 'envresponse in out cs))
- ((member cs *respbox-triggerers*)
- (inline-protected
- 'envrespbox in out cs))
- ((member cs *box-triggerers*)
- (inline-protected 'envbox in out cs))
- ((member cs *top-box-triggerers*)
- (inline-protected 'envtopbox in out cs))
- ((member cs *region-triggerers*)
- (inline-protected
- 'envregion in out cs))
- (else
- (display "\\begin{" out)
- (display cs out)
- (display "}" out)))))
- ((member cs *intext-triggerers*)
- (inline-protected 'intext in out #f))
- ((member cs *resultintext-triggerers*)
- (inline-protected 'resultintext in out #f))
- ((member cs *display-triggerers*)
- (inline-protected 'plaindisplay in out cs))
- ((member cs *response-triggerers*)
- (inline-protected 'plainresponse in out cs))
- ((member cs *respbox-triggerers*)
- (inline-protected 'plainrespbox in out cs))
- ((member cs *box-triggerers*)
- (inline-protected 'plainbox in out cs))
- ((member cs *region-triggerers*)
- (inline-protected 'plainregion in out cs))
- ((member cs *input-triggerers*)
- (inline-protected 'input in out cs))
- (else
- (display "\\" out)
- (display cs out)))))
- (else (write-char c out))))
- (loop)))))))
-
- (define slatex::inline-protected
- (lambda (typ in out env)
- (cond ((eq? typ 'envregion)
- (display "\\begin{" out)
- (display env out)
- (display "}" out)
- (dump-display in out (string-append "\\end{" env "}"))
- (display "\\end{" out)
- (display env out)
- (display "}" out))
- ((eq? typ 'plainregion)
- (display "\\" out)
- (display env out)
- (dump-display in out (string-append "\\end" env))
- (display "\\end" out)
- (display env out))
- (else (let ((f (car *protected-files*)))
- (set! *protected-files* (cdr *protected-files*))
- (call-with-input-file f
- (lambda (in)
- (inline-protected-files in out))
- 'text)
- (delete-file f)
- )
- (cond ((memq typ '(intext resultintext))
- (display "{}" out)
- (dump-intext in #f))
- ((memq typ '(envrespbox envbox envtopbox))
- (if (not *latex?*)
- (display "{}" out))
- (dump-display in #f
- (string-append "\\end{" env "}")))
- ((memq typ '(plainrespbox plainbox))
- (display "{}" out)
- (dump-display in #f
- (string-append "\\end" env)))
- ((memq typ '(envdisplay envresponse))
- (dump-display in #f
- (string-append "\\end{" env "}")))
- ((memq typ '(plaindisplay plainresponse))
- (dump-display in #f (string-append "\\end" env)))
- ((eq? typ 'input)
- (read-filename in)) ;and throw it away
- (else (error "inline-protected: ~
-Unknown triggerer ~s." typ)))))))
- )
\ No newline at end of file
diff --git a/collects/slatex/slatex-code/s4.scm b/collects/slatex/slatex-code/s4.scm
deleted file mode 100644
index b93e62ff..00000000
--- a/collects/slatex/slatex-code/s4.scm
+++ /dev/null
@@ -1,102 +0,0 @@
-;s4.scm
-;SLaTeX v. 2.3
-;Making dialect meet R5RS spec
-;(includes optimizing for Chez 4.0a+)
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-if (chez)
- (eval-when (compile load eval)
- (if (not (bound? 'optimize-level)) ;do only for old Chezs
- (let ((cwif call-with-input-file)
- (cwof call-with-output-file))
- (set! call-with-input-file
- (lambda (f p)
- (cwif f (lambda (pt)
- (p pt)
- (close-input-port pt)))))
- (set! call-with-output-file
- (lambda (f p)
- (cwof f (lambda (pt)
- (p pt)
- (close-output-port pt)))))))))
-
-(eval-if (chez)
- (if (bound? 'optimize-level) (optimize-level 3)))
-
-(eval-if (cl)
- (eval-within slatex
-
- (defun member (x s)
- (declare (list s))
- (global-member x s :test (function equal)))
-
- (defun assoc (x s)
- (declare (list s))
- (global-assoc x s :test (function equal)))
-
- (defun number->string (n &optional (b 10))
- (declare (number n))
- (write-to-string n :base b))
-
- (defun string->number (s &optional (b 10))
- (declare (global-string s))
- (let ((*read-base* b))
- (let ((n (read-from-string s)))
- (if (numberp n) n nil))))
-
- (defun char-whitespace? (c)
- (declare (character c))
- (or (char= c #\space) (char= c #\tab)
- (not (graphic-char-p c))))
-
- (defun make-string (n &optional (c #\space))
- (declare (number n))
- (global-make-string n :initial-element c))
-
- (defun string (&rest z)
- (concatenate 'global-string z))
-
- (defun string-append (&rest z)
- (apply (function concatenate) 'global-string z))
-
- (defun string->list (s)
- (declare (global-string s))
- (concatenate 'list s))
-
- (defun list->string (l)
- (declare (list l))
- (concatenate 'global-string l))
-
- (defun make-vector (n &optional x)
- (declare (number n))
- (make-array (list n) :initial-element x))
-
- (defun vector->list (v)
- (declare (vector v))
- (concatenate 'vector v))
-
- (defun list->vector (l)
- (declare (list l))
- (concatenate 'vector l))
-
- (defun call-with-input-file (f p)
- (with-open-file (i f :direction :input)
- (funcall p i)))
-
- (defun call-with-output-file (f p)
- (with-open-file (o f :direction :output)
- (funcall p o)))
-
- (defun read (&optional p)
- (global-read p nil :eof-object))
-
- (defun read-char (&optional p)
- (global-read-char p nil :eof-object))
-
- (defun peek-char (&optional p)
- (global-peek-char nil p nil :eof-object))
-
- (defun eof-object? (v)
- (eq v :eof-object))
-
- ))
diff --git a/collects/slatex/slatex-code/seqprocs.scm b/collects/slatex/slatex-code/seqprocs.scm
deleted file mode 100644
index 5336fa68..00000000
--- a/collects/slatex/slatex-code/seqprocs.scm
+++ /dev/null
@@ -1,193 +0,0 @@
-;seqprocs.scm
-;SLaTeX v. 2.3
-;Sequence routines
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-if (cscheme)
- (eval-within slatex
- (define slatex::some
- (lambda (f l) (there-exists? l f)))))
-
-(eval-unless (chez cl cscheme mzscheme)
- (eval-within slatex
- (define slatex::some
- (lambda (f l)
- ;returns nonfalse iff f is true of at least one element in l;
- ;this nonfalse value is that given by the first such element in l;
- ;only one argument list supported
- (let loop ((l l))
- (if (null? l) #f
- (or (f (car l)) (loop (cdr l)))))))))
-
-(eval-within slatex
-
- (define slatex::ormapcdr
- (lambda (f l)
- ;apply f to successive cdrs of l, returning
- ;immediately when an application is true.
- ;only one argument list supported
- (let loop ((l l))
- (if (null? l) #f
- (or (funcall f l) (loop (cdr l)))))))
-
- (define slatex::list-prefix?
- (lambda (pfx l)
- ;tests if list pfx is a prefix of list l
- (cond ((null? pfx) #t)
- ((null? l) #f)
- ((eqv? (car pfx) (car l)) (list-prefix? (cdr pfx) (cdr l)))
- (else #f))))
-
- (define slatex::string-suffix?
- (lambda (sfx s)
- ;tests if string sfx is a suffix of string s
- (let ((sfx-len (string-length sfx)) (s-len (string-length s)))
- (if (> sfx-len s-len) #f
- (let loop ((i (- sfx-len 1)) (j (- s-len 1)))
- (if (< i 0) #t
- (and (char=? (string-ref sfx i) (string-ref s j))
- (loop (- i 1) (- j 1)))))))))
-
- )
-
-
-
-(eval-unless (bigloo chez cl cscheme elk guile mzscheme pcsge stk scm)
- (eval-within slatex
- (define slatex::append!
- (lambda (l1 l2)
- ;destructively appends lists l1 and l2;
- ;only two argument lists supported
- (cond ((null? l1) l2)
- ((null? l2) l1)
- (else (let loop ((l1 l1))
- (if (null? (cdr l1))
- (set-cdr! l1 l2)
- (loop (cdr l1))))
- l1))))))
-
-(eval-unless (cl cscheme)
- (eval-within slatex
- (define slatex::mapcan
- (lambda (f l)
- ;maps f on l but splices (destructively) the results;
- ;only one argument list supported
- (let loop ((l l))
- (if (null? l) '()
- (append! (f (car l)) (loop (cdr l)))))))))
-
-(eval-unless (bigloo chez cl cscheme elk mzscheme pcsge)
- (eval-within slatex
- (define slatex::reverse!
- (lambda (s)
- ;reverses list s inplace (i.e., destructively)
- (let loop ((s s) (r '()))
- (if (null? s) r
- (let ((d (cdr s)))
- (set-cdr! s r)
- (loop d s))))))))
-
-(eval-unless (cl)
- (eval-within slatex
-
- (define slatex::lassoc
- (lambda (x al eq)
- (let loop ((al al))
- (if (null? al) #f
- (let ((c (car al)))
- (if (eq (car c) x) c
- (loop (cdr al))))))))
-
- (define slatex::lmember
- (lambda (x l eq)
- (let loop ((l l))
- (if (null? l) #f
- (if (eq (car l) x) l
- (loop (cdr l)))))))
-
- (define slatex::delete
- (lambda (x l eq)
- (let loop ((l l))
- (cond ((null? l) l)
- ((eq (car l) x) (loop (cdr l)))
- (else (set-cdr! l (loop (cdr l)))
- l)))))
-
- (define slatex::adjoin
- (lambda (x l eq)
- (if (lmember x l eq) l
- (cons x l))))
-
- (define slatex::delete-if
- (lambda (p s)
- (let loop ((s s))
- (cond ((null? s) s)
- ((p (car s)) (loop (cdr s)))
- (else (set-cdr! s (loop (cdr s)))
- s)))))
-
- (define slatex::string-prefix?
- (lambda (s1 s2 i)
- ;Tests if s1 and s2 have the same first i chars.
- ;Both s1 and s2 must be at least i long.
- (let loop ((j 0))
- (if (= j i) #t
- (and (char=? (string-ref s1 j) (string-ref s2 j))
- (loop (+ j 1)))))))
-
- (define slatex::sublist
- (lambda (l i f)
- ;finds the sublist of l from index i inclusive to index f exclusive
- (let loop ((l (list-tail l i)) (k i) (r '()))
- (cond ((>= k f) (reverse! r))
- ((null? l)
- (slatex::error "sublist: List too small."))
- (else (loop (cdr l) (+ k 1) (cons (car l) r)))))))
-
- (define slatex::position-char
- (lambda (c l)
- ;finds the leftmost index of character-list l where character c occurs
- (let loop ((l l) (i 0))
- (cond ((null? l) #f)
- ((char=? (car l) c) i)
- (else (loop (cdr l) (+ i 1)))))))
-
- (define slatex::string-position-right
- (lambda (c s)
- ;finds the rightmost index of string s where character c occurs
- (let ((n (string-length s)))
- (let loop ((i (- n 1)))
- (cond ((< i 0) #f)
- ((char=? (string-ref s i) c) i)
- (else (loop (- i 1))))))))
-
- ))
-
-(eval-if (cl)
- (eval-within slatex
-
- (defun lassoc (x l eq)
- (declare (list l))
- (global-assoc x l :test eq))
-
- (defun lmember (x l eq)
- (declare (list l))
- (global-member x l :test eq))
-
- (defun delete (x l eq)
- (declare (list l))
- (global-delete x l :test eq))
-
- (defun adjoin (x l eq)
- (declare (list l))
- (global-adjoin x l :test eq))
-
- (defun string-prefix? (s1 s2 i)
- (declare (global-string s1 s2) (integer i))
- (string= s1 s2 :end1 i :end2 i))
-
- (defun string-position-right (c s)
- (declare (character c) (global-string s))
- (position c s :test (function char=) :from-end t))
-
- ))
diff --git a/collects/slatex/slatex-code/slaconfg.lsp b/collects/slatex/slatex-code/slaconfg.lsp
deleted file mode 100644
index aaf86417..00000000
--- a/collects/slatex/slatex-code/slaconfg.lsp
+++ /dev/null
@@ -1,103 +0,0 @@
-;slaconfg.lsp
-;Configures SLaTeX for Common Lisp on your system
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(set-dispatch-macro-character #\# #\T
- #'(lambda (p ig ig2)
- (declare (ignore ig ig2))
- t))
-
-(set-dispatch-macro-character #\# #\F
- #'(lambda (p ig ig2)
- (declare (ignore ig ig2))
- nil))
-
-(defvar *slatex-directory* (directory-namestring *load-pathname*))
-
-(defvar dialect 'cl)
-(defvar *op-sys*)
-
-(with-open-file (inp (concatenate 'string
- *slatex-directory*
- "config.dat")
- :direction :input)
- (read inp) ;ignore dialect info
- (setq *op-sys* (read inp)))
-
-(if (not (member *op-sys* '(windows os2 unix dos os2fat mac-os)))
- (setq *op-sys* 'other))
-
-(load (merge-pathnames "preproc.lsp" *slatex-directory*))
-
-(defvar list-of-slatex-files
- (mapcar
- #'(lambda (f)
- (concatenate 'string *slatex-directory* f))
- (list
- "s4.scm"
- "seqprocs.scm"
- "fileproc.scm"
- "lerror.scm"
- "defaults.scm"
- "structs.scm"
- "helpers.scm"
- "peephole.scm"
- "codeset.scm"
- "pathproc.scm"
- "texread.scm"
- "proctex.scm"
- "proctex2.scm")))
-
-(format t "~&Beginning configuring SLaTeX for Common Lisp on ~a -- ~
- wait..." *op-sys*)
-
-(defvar outfile (concatenate 'string *slatex-directory*
- #+(or mcl clisp) "slatexsrc.scm"
- #-(or mcl clisp) "slatex.scm"))
-
-(if (probe-file outfile) (delete-file outfile))
-
-(with-open-file (o outfile :direction :output)
- (format o
- ";slatex.scm file generated for Common Lisp, ~a~%~
- ;(c) Dorai Sitaram, Rice U., 1991, 1994~%"
- *op-sys*)
-
- #-gcl
- (print `(defpackage slatex (:use cl)) o)
- (print `(in-package :slatex) o)
- (print `(defvar *op-sys* ',*op-sys*) o)
-
- (dolist (f list-of-slatex-files)
-
- (format t "~&~a...~%" f)
-
- (format o "~%~%;~a~%" f)
- (with-open-file (i f :direction :input)
- (loop
- (let ((x (read i nil :eof)))
- (if (eq x :eof) (return))
- (let ((xm (expand-macrocalls x)))
- (cond ((not xm) nil)
- ((and (consp xm) (eq (car xm) 'progn))
- (dolist (y (cdr xm))
- (if y (pprint y o))))
- (t (pprint xm o)))))))))
-
-#+(or mcl clisp)
-(progn
- (format t "~&Getting compiled version...~%")
- (compile-file outfile :output-file
- (concatenate 'string *slatex-directory*
- "slatex.scm"))
- (format t "~&Finished compilation~%"))
-
-(format t
- "~&Finished configuring SLaTeX for your machine.
-
-Read install for details on
-
-1. which paths to place the SLaTeX files in;
-
-2. how to modify the given batch file or shell script
-that invokes SLaTeX.~%~%")
diff --git a/collects/slatex/slatex-code/slaconfg.scm b/collects/slatex/slatex-code/slaconfg.scm
deleted file mode 100644
index 81ea0879..00000000
--- a/collects/slatex/slatex-code/slaconfg.scm
+++ /dev/null
@@ -1,155 +0,0 @@
-;slaconfg.scm
-;Configures SLaTeX for your Scheme
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(define dialect 'forward)
-(define *op-sys* 'forward)
-
-(call-with-input-file "config.dat"
- (lambda (p)
- (set! dialect (read p))
- (set! *op-sys* (read p))))
-
-(if (not (memq dialect
- '(bigloo chez cscheme elk guile mzscheme pcsge schemetoc scm
- stk umbscheme vscm other)))
- (set! dialect 'other))
-
-(if (not (memq *op-sys* '(windows os2 unix dos os2fat mac-os)))
- (set! *op-sys* 'other))
-
-(load "preproc.scm")
-
-(define list-of-slatex-files
- (list
- "s4.scm"
- "seqprocs.scm"
- "fileproc.scm"
- "lerror.scm"
- "defaults.scm"
- "structs.scm"
- "helpers.scm"
- "peephole.scm"
- "codeset.scm"
- "pathproc.scm"
- "texread.scm"
- "proctex.scm"
- "proctex2.scm"))
-
-(display "Beginning configuring SLaTeX for ")
-(display dialect)
-(display " on ")
-(display *op-sys*)
-(display " -- wait...")
-(newline)
-
-(define outfile
- (if (memq dialect '(bigloo chez mzscheme)) "slatexsrc.scm" "slatex.scm"))
-
-(cond ((memq dialect '(bigloo chez cscheme guile mzscheme pcsge scm))
- (if (file-exists? outfile)
- (delete-file outfile)))
- (else
- (newline)
- (display "If configuring fails following this sentence, ")
- (newline)
- (display "you most likely already have a slatex.scm in the ")
- (display "current directory.")
- (newline)
- (display "Delete it and retry.")
- (newline)))
-
-(define prettyp
-;pretty-printer -- not really needed, so use write for dialects
-;that don't have it
- (case dialect
- ((bigloo) pp)
- ((chez) pretty-print)
-; ((scm) (if (defined? pretty-print) pretty-print write))
- (else write)))
-
-(call-with-output-file outfile
- (lambda (o)
- ;;begin banner
- (display ";slatex.scm file generated for " o)
- (display dialect o)
- (display ", " o)
- (display *op-sys* o)
- (newline o)
- (display ";(c) Dorai Sitaram, Rice U., 1991, 1994" o)
- (newline o) (newline o)
- ;;end banner
-
- ;(if (eq? dialect 'bigloo)
- ;(write `(module slatex (main slatex::process-main-tex-file)) o))
-
- (write `(define slatex::*op-sys* ',*op-sys*) o)
- (newline o)
-
- (for-each
- (lambda (f)
-
- (newline)
- (display f) (display "...")
-
- (newline o)
- (display ";" o)
- (display f o)
- (newline o)
- (newline o)
- (call-with-input-file f
- (lambda (i)
- (let loop ()
- (let ((x (read i)))
- (if (not (eof-object? x))
- (let ((xm (expand-macrocalls x)))
- (cond ((not xm))
- ((and (pair? xm) (eq? (car xm) 'begin))
- (for-each
- (lambda (y)
- (if y (begin (prettyp y o)
- (newline o))))
- (cdr xm)))
- (else (prettyp xm o) (newline o)))
- (loop))))))))
- list-of-slatex-files)))
-
-(if (eq? dialect 'mzscheme)
- (require-library "compile.ss"))
-
-(case dialect
- ((bigloo)
- (newline)
- ;can't get bigloo to compile
- ;(display "Getting compiled version for Bigloo...")
- (display "Couldn't get Bigloo to compile SLaTeX. Using source for now.")
- (system "cp -p slatexsrc.scm slatex.scm")
- (newline)
- ;(system "bigloo -O -v -o SLaTeX slatex.scm")
- ;(system "rm slatex.o")
- ;(display "Finished compilation (executable is named SLaTeX)")
- ;(newline)
- )
- ((chez mzscheme)
- (newline)
- (display "Getting compiled version...")
- (newline)
- (compile-file "slatexsrc.scm" "slatex.scm")
- ;;(delete-file "slatexsrc.scm")
- (display "Finished compilation")))
-
-(newline)
-(newline)
-(display "Finished configuring the SLaTeX Scheme file for your machine")
-(newline)
-(display "Read \"install\" for details on")
-(newline)
-(newline)
-(display "1. which paths to place the SLaTeX files in")
-(newline)
-(newline)
-(display "2. how to use the batch file, shell script, or Scheme script")
-(newline)
-(display "that invokes SLaTeX")
-(newline)
-(newline)
diff --git a/collects/slatex/slatex-code/slatex.sty b/collects/slatex/slatex-code/slatex.sty
deleted file mode 100644
index 522640c9..00000000
--- a/collects/slatex/slatex-code/slatex.sty
+++ /dev/null
@@ -1,569 +0,0 @@
-% slatex.sty
-% SLaTeX v. 2.4
-% style file to be used in (La)TeX when using SLaTeX
-% (c) Dorai Sitaram, Rice U., 1991, 1999
-
-\def\slatexversion{2.4w}
-
-% This file (or a soft link to it) should be in some
-% directory in your TEXINPUTS path (i.e., the one
-% (La)TeX scours for \input or \documentstyle option
-% files).
-
-% Do not attempt to debug this file, since the results
-% are not transparent just to (La)TeX. The Scheme part
-% of SLaTeX depends on information laid out here -- so
-% (La)TeX-minded debugging of this file will almost
-% inevitably sabotage SLaTeX.
-
-% It's possible you don't find the default style set
-% out here appealing: e.g., you may want to change the
-% positioning of displayed code; change the fonts for
-% keywords, constants, and variables; add new keywords,
-% constants, and variables; use your names instead of
-% the provided \scheme, [\begin|\end]{schemedisplay},
-% [\begin|\end]{schemebox}, (or \[end]schemedisplay,
-% \[end]schemebox for TeX), which might be seem too
-% long or unmnemonic, and many other things. The clean
-% way to do these things is outlined in the
-% accompanying manual, slatxdoc.tex. This way is both
-% easier than messing with this .sty file, and safer
-% since you will not unwittingly break SLaTeX.
-
-%%%
-
-% to prevent loading slatex.sty more than once
-
-\ifx\slatexignorecurrentfile\UNDEFINED
-\else\endinput\fi
-
-% use \slatexignorecurrentfile to disable slatex for
-% the current file. (Unstrangely, the very definition
-% disables slatex for the rest of _this_ file, slatex.sty.)
-
-\def\slatexignorecurrentfile{}
-
-% checking whether we're using LaTeX or TeX?
-
-\newif\ifusinglatex
-\ifx\newenvironment\UNDEFINED\usinglatexfalse\else\usinglatextrue\fi
-
-% make @ a letter for TeX
-\ifusinglatex\relax\else
-\edef\atcatcodebeforeslatex{\the\catcode`\@ }
-\catcode`\@11
-\fi
-
-% identification of TeX/LaTeX style for schemedisplay.
-% Do \defslatexenvstyle{tex} to get TeX environment
-% style in LaTeX
-\def\defslatexenvstyle#1{\gdef\slatexenvstyle{#1}}
-
-\ifusinglatex\defslatexenvstyle{latex}\else\defslatexenvstyle{tex}\fi
-
-% TeX doesn't have sans-serif; use roman instead
-\ifx\sf\UNDEFINED\let\sf\rm\fi
-
-% tabbing from plain TeX
-%
-\newif\ifus@ \newif\if@cr
-\newbox\tabs \newbox\tabsyet \newbox\tabsdone
-%
-\def\cleartabs{\global\setbox\tabsyet\null \setbox\tabs\null}
-\def\settabs{\setbox\tabs\null \futurelet\next\sett@b}
-\let\+=\relax % in case this file is being read in twice
-\def\sett@b{\ifx\next\+\let\next\relax
- \def\next{\afterassignment\s@tt@b\let\next}%
-\else\let\next\s@tcols\fi\next}
-\def\s@tt@b{\let\next\relax\us@false\m@ketabbox}
-\def\tabalign{\us@true\m@ketabbox} % non-\outer version of \+
-\outer\def\+{\tabalign}
-\def\s@tcols#1\columns{\count@#1 \dimen@\hsize
- \loop\ifnum\count@>\z@ \@nother \repeat}
-\def\@nother{\dimen@ii\dimen@ \divide\dimen@ii\count@
- \setbox\tabs\hbox{\hbox to\dimen@ii{}\unhbox\tabs}%
- \advance\dimen@-\dimen@ii \advance\count@\m@ne}
-%
-\def\m@ketabbox{\begingroup
- \global\setbox\tabsyet\copy\tabs
- \global\setbox\tabsdone\null
- \def\cr{\@crtrue\crcr\egroup\egroup
- \ifus@\unvbox\z@\lastbox\fi\endgroup
- \setbox\tabs\hbox{\unhbox\tabsyet\unhbox\tabsdone}}%
- \setbox\z@\vbox\bgroup\@crfalse
- \ialign\bgroup&\t@bbox##\t@bb@x\crcr}
-%
-\def\t@bbox{\setbox\z@\hbox\bgroup}
-\def\t@bb@x{\if@cr\egroup % now \box\z@ holds the column
- \else\hss\egroup \global\setbox\tabsyet\hbox{\unhbox\tabsyet
- \global\setbox\@ne\lastbox}% now \box\@ne holds its size
- \ifvoid\@ne\global\setbox\@ne\hbox to\wd\z@{}%
- \else\setbox\z@\hbox to\wd\@ne{\unhbox\z@}\fi
- \global\setbox\tabsdone\hbox{\box\@ne\unhbox\tabsdone}\fi
- \box\z@}
-% finished (re)defining TeX's tabbing macros
-
-% above from plain.tex; was disabled in lplain.tex. Do
-% not modify above unless you really know what you're
-% up to. Make all changes you want to following code.
-% The new env is preferable to LaTeX's tabbing env
-% since latter accepts only a small number of tabs
-
-% following retrieves something like LaTeX's tabbing
-% env without the above problem (it also creates a box
-% for easy manipulation!)
-
-\def\lat@xtabbing{\begingroup
-\def\={\cleartabs&} \def\>{&}%
-\def\\{\cr\tabalign\lat@xtabbingleftmost}%
-\tabalign\lat@xtabbingleftmost}
-\def\endlat@xtabbing{\cr\endgroup}
-\let\lat@xtabbingleftmost\relax
-
-% stuff for formating Scheme code
-
-\newskip\par@nlen \newskip\brack@tlen \newskip\quot@len
-\newskip\h@lflambda
-
-\newbox\garb@ge
-\def\s@ttowidth#1#2{\setbox\garb@ge\hbox{#2}#1\wd\garb@ge\relax}
-
-\s@ttowidth\par@nlen{$($} % size of paren
-\s@ttowidth\brack@tlen{$[$} % size of bracket
-\s@ttowidth\quot@len{'} % size of quote indentation
-\s@ttowidth\h@lflambda{ii} % size of half of lambda indentation
-
-\def\PRN{\hskip\par@nlen} % these are used by SLaTeX's codesetter
-\def\BKT{\hskip\brack@tlen}
-\def\QUO{\hskip\quot@len}
-\def\HL{\hskip\h@lflambda}
-
-\newskip\abovecodeskip \newskip\belowcodeskip
-\newskip\leftcodeskip \newskip\rightcodeskip
-
-% the following default assignments give a flushleft
-% display
-
-\abovecodeskip=\medskipamount \belowcodeskip=\medskipamount
-\leftcodeskip=0pt \rightcodeskip=0pt
-
-% adjust above,below,left,right codeskip's to personal
-% taste
-
-% for centered displays
-%
-% \leftcodeskip=0pt plus 1fil
-% \rightcodeskip=0pt plus 1fil
-%
-% if \rightcodeskip != 0pt, pagebreaks within Scheme
-% blocks in {schemedisplay} are disabled
-
-\let\checkforfollpar1
-\def\noindentifnofollpar{\ifx\checkforfollpar0\let\next\relax
- \else\ifusinglatex\let\next\@endparenv
- \else\let\next\noindentifnofollparI\fi\fi\next}
-\def\noindentifnofollparI{\futurelet\next\noindentifnofollparII}
-\def\noindentifnofollparII{\ifx\next\par\else\noindent\ignorespaces\fi}
-
-% the following are the default font assignments for
-% words in code. Change them to suit personal taste
-
-\def\keywordfont#1{{\bf #1}}
-\def\variablefont#1{{\it #1\/}}
-\def\constantfont#1{{\sf #1}}
-\def\datafont#1{\constantfont{#1}}
-
-\let\schemecodehook\relax
-\let\ZZZZschemecodehook\relax
-
-%program listings that allow page breaks but
-%can't be centered
-
-\def\ZZZZschemedisplay{\edef\thez@skip{\the\z@skip}%
- \edef\@tempa{\the\rightcodeskip}%
- \ifx\@tempa\thez@skip\let\next\ZZZZschemeprogram
- \else\let\next\ZZZZschemeprogramII\fi\next}
-
-\def\endZZZZschemedisplay{\edef\thez@skip{\the\z@skip}%
- \edef\@tempa{\the\rightcodeskip}%
- \ifx\@tempa\thez@skip\let\next\endZZZZschemeprogram
- \else\let\next\endZZZZschemeprogramII\fi\next}
-
-\def\ZZZZschemeprogram{\vskip\abovecodeskip
- \begingroup
- \schemecodehook\ZZZZschemecodehook
- \frenchspacing
- \let\sy=\keywordfont \let\cn=\constantfont
- \let\va=\variablefont \let\dt=\datafont
- \def\lat@xtabbingleftmost{\hskip\leftskip\hskip\leftcodeskip\relax}%
- \lat@xtabbing}
-
-\def\endZZZZschemeprogram{\endlat@xtabbing
- \endgroup
- \vskip\belowcodeskip
- \noindentifnofollpar}
-
-\def\ZZZZschemeprogramII{\vskip\abovecodeskip
- \begingroup
- \noindent
- %\ZZZZschemecodehook\schemecodehook %\ZZZZschemebox already has it
- \hskip\leftcodeskip
- \ZZZZschemebox}
-
-\def\endZZZZschemeprogramII{\endZZZZschemebox
- \hskip\rightcodeskip
- \endgroup
- \vskip\belowcodeskip
- \noindentifnofollpar}
-
-\def\ZZZZschemeresponse{\ZZZZschemecodehookforresult
- \ZZZZschemedisplay}
-\let\endZZZZschemeresponse\endZZZZschemedisplay
-
-%
-
-\def\ZZZZschemebox{%
- \leavevmode\hbox\bgroup\vbox\bgroup
- \schemecodehook\ZZZZschemecodehook
- \frenchspacing
- \let\sy=\keywordfont \let\cn=\constantfont
- \let\va=\variablefont \let\dt=\datafont
- \lat@xtabbing}
-\def\endZZZZschemebox{\endlat@xtabbing
-\egroup\egroup\ignorespaces}
-
-\def\ZZZZschemeresponsebox{\ZZZZschemecodehookforresult
- \ZZZZschemebox}
-\let\endZZZZschemeresponsebox\endZZZZschemebox
-
-% schemetopbox : added by robby/jbc 2000
-
-\def\ZZZZschemetopbox{%
- \leavevmode\hbox\bgroup\vtop\bgroup
- \schemecodehook\ZZZZschemecodehook
- \frenchspacing
- \let\sy=\keywordfont \let\cn=\constantfont
- \let\va=\variablefont \let\dt=\datafont
- \lat@xtabbing}
-\def\endZZZZschemetopbox{\endlat@xtabbing
-\egroup\egroup\ignorespaces}
-
-%in-text
-
-\def\ZZZZschemecodeintext{\begingroup
- \schemecodehook\ZZZZschemecodehook
- \frenchspacing
- \let\sy\keywordfont \let\cn\constantfont
- \let\va\variablefont \let\dt\datafont}
-
-\def\endZZZZschemecodeintext{\endgroup\ignorespaces}
-
-\def\ZZZZschemeresultintext{\ZZZZschemecodehookforresult
- \ZZZZschemecodeintext}
-
-\let\endZZZZschemeresultintext\endZZZZschemecodeintext
-
-%
-
-\def\ZZZZschemecodehookforresult{%
- \gdef\ZZZZschemecodehook{\let\keywordfont\constantfont
- \let\variablefont\constantfont
- \global\let\ZZZZschemecodehook\relax}}
-
-% \comm@nt...text... comments out
-% TeX source analogous to
-% \verb...text.... Sp. case:
-% \comm@nt{...text...} == \comm@nt}...text...}
-
-\def\@makeother#1{\catcode`#112\relax}
-
-\def\comm@nt{%
- \begingroup
- \let\do\@makeother \dospecials
- \@comm}
-
-\begingroup\catcode`\<1 \catcode`\>2
-\catcode`\{12 \catcode`\}12
-\long\gdef\@comm#1<%
- \if#1{\long\def\@tempa ##1}<\endgroup>\else
- \long\def\@tempa ##1#1<\endgroup>\fi
- \@tempa>
-\endgroup
-
-% like LaTeX2e's \InputIfFileExists
-
-\ifx\InputIfFileExists\UNDEFINED
- \def\InputIfFileExists#1#2#3{%
- \immediate\openin0=#1\relax
- \ifeof0\relax\immediate\closein0\relax#3%
- \else\immediate\closein0\relax#2\input#1\relax\fi}%
-\fi
-
-\def\ZZZZinput#1{\input#1\relax}
-
-% you may replace the above by
-%
-% \def\ZZZZinput#1{\InputIfFileExists{#1}{}{}}
-%
-% if you just want to call (La)TeX on your text
-% ignoring the portions that need to be SLaTeX'ed
-
-%use \subjobname rather than \jobname to generate
-%slatex's temp files --- this allows us to change
-%\subjobname for more control, if necessary.
-
-\let\subjobname\jobname
-
-% counter for generating temp file names
-
-\newcount\sch@mefilenamecount
-\sch@mefilenamecount=-1
-
-% To produce displayed Scheme code:
-% in LaTeX:
-% \begin{schemedisplay}
-% ... indented program (with sev'l lines) ...
-% \end{schemedisplay}
-%
-% in TeX:
-% \schemedisplay
-% ... indented program (with sev'l lines) ...
-% \endschemedisplay
-
-\begingroup\catcode`\|=0 \catcode`\[=1 \catcode`\]=2
-\catcode`\{=12 \catcode`\}=12 \catcode`\\=12
-|gdef|defschemedisplaytoken#1[%
- |long|expandafter|gdef|csname ZZZZcomment#1|endcsname[%
- |begingroup
- |let|do|@makeother |dospecials
- |csname ZZZZcomment|slatexenvstyle II#1|endcsname]%
- |long|expandafter|gdef|csname ZZZZcommentlatexII#1|endcsname##1\end{#1}[%
- |endgroup|end[#1]]%
- |long|expandafter|gdef|csname ZZZZcommenttexII#1|endcsname##1\end#1[%
- |endgroup|csname end#1|endcsname]%
- |long|expandafter|gdef|csname #1|endcsname[%
- |csname ZZZZcomment#1|endcsname]%
- |long|expandafter|gdef|csname end#1|endcsname[%
- |global|advance|sch@mefilenamecount by 1
- |let|checkforfollpar0%
- |ZZZZinput[|filehider Z|number|sch@mefilenamecount|subjobname.tex]%
- |let|checkforfollpar1%
- |noindentifnofollpar]]%
-|endgroup
-
-\def\undefschemedisplaytoken#1{%
- \expandafter\gdef\csname#1\endcsname{\UNDEFINED}}
-
-% like {schemedisplay}, but displays output from a
-% Scheme evaluation. I.e., keywords and variables
-% appear in the data font
-
-\let\defschemeresponsetoken\defschemedisplaytoken
-\let\undefschemeresponsetoken\undefschemedisplaytoken
-
-% \scheme|...program fragment...| produces Scheme code
-% in-text. Sp. case: \scheme{...} == \scheme}...}
-
-\def\defschemetoken#1{%
- \long\expandafter\def\csname#1\endcsname{%
- \global\advance\sch@mefilenamecount by 1
- \ZZZZinput{\filehider Z\number\sch@mefilenamecount\subjobname.tex}%
- \comm@nt}}
-
-\let\undefschemetoken\undefschemedisplaytoken
-
-% \schemeresult|...program fragment...| produces a
-% Scheme code result in-text: i.e. keyword or variable
-% fonts are replaced by the data font. Sp. case:
-% \schemeresult{...} == \schemeresult}...}
-
-\let\defschemeresulttoken\defschemetoken
-\let\undefschemeresulttoken\undefschemetoken
-
-% To produce a box of Scheme code:
-% in LaTeX:
-% \begin{schemebox}
-% ... indented program (with sev'l lines) ...
-% \end{schemebox}
-%
-% in TeX:
-% \schemebox
-% ... indented program (with sev'l lines) ...
-% \endschemebox
-
-\begingroup\catcode`\|=0 \catcode`\[=1 \catcode`\]=2
-\catcode`\{=12 \catcode`\}=12 \catcode`\\=12
-|gdef|defschemeboxtoken#1[%
- |long|expandafter|gdef|csname ZZZZcomment#1|endcsname[%
- |begingroup
- |let|do|@makeother |dospecials
- |csname ZZZZcomment|slatexenvstyle II#1|endcsname]%
- |long|expandafter|gdef|csname ZZZZcommentlatexII#1|endcsname##1\end{#1}[%
- |endgroup|end[#1]]%
- |long|expandafter|gdef|csname ZZZZcommenttexII#1|endcsname##1\end#1[%
- |endgroup|csname end#1|endcsname]%
- |long|expandafter|gdef|csname #1|endcsname[%
- |global|advance|sch@mefilenamecount by 1
- |ZZZZinput[|filehider Z|number|sch@mefilenamecount|subjobname.tex]%
- |csname ZZZZcomment#1|endcsname]%
- |long|expandafter|gdef|csname end#1|endcsname[]]%
-|endgroup
-
-\let\undefschemeboxtoken\undefschemedisplaytoken
-
-% like {schemeresponse}, but in a box
-
-\let\defschemeresponseboxtoken\defschemeboxtoken
-\let\undefschemeresponseboxtoken\undefschemeboxtoken
-
-% for wholesale dumping of all-Scheme files into TeX (converting
-% .scm files to .tex),
-% use
-% \schemeinput{}
-% .scm, .ss, .s extensions optional
-
-\def\defschemeinputtoken#1{%
- \long\expandafter\gdef\csname#1\endcsname##1{%
- \global\advance\sch@mefilenamecount by 1
- \ZZZZinput{\filehider Z\number\sch@mefilenamecount\subjobname.tex}}}
-
-\def\undefschemeinputtoken#1{%
- \expandafter\gdef\csname#1\endcsname{\UNDEFINED}}
-
-% delineating a region that features typeset code
-% not usually needed, except when using \scheme and schemedisplay
-% inside macro-args and macro-definition-bodies
-% in LaTeX:
-% \begin{schemeregion}
-% ...
-% \end{schemeregion}
-%
-% in TeX:
-% \schemeregion
-% ...
-% \endschemeregion
-
-\let\defschemeregiontoken\defschemeboxtoken
-\let\undefschemeregiontoken\undefschemeboxtoken
-
-% the SLaTeX tokens
-
-\defschemedisplaytoken{schemedisplay}
-\defschemetoken{scheme}
-\defschemeboxtoken{schemebox}
-\defschemeresulttoken{schemeresult}
-\defschemeresponsetoken{schemeresponse}
-\defschemeresponseboxtoken{schemeresponsebox}
-\defschemeinputtoken{schemeinput}
-\defschemeregiontoken{schemeregion}
-
-% introducing new code-tokens to the keyword, variable and constant
-% categories
-
-\def\comm@ntII{%
- \begingroup
- \let\do\@makeother \dospecials
- \@commII}
-
-\begingroup\catcode`\[1 \catcode`\]2
-\catcode`\{12 \catcode`\}12
-\long\gdef\@commII{[%
- \long\def\@tempa ##1}[\endgroup]\@tempa]%
-\endgroup
-
-\let\setkeyword\comm@ntII
-\let\setvariable\comm@ntII
-\let\setconstant\comm@ntII
-\let\setdata\comm@ntII
-
-% \defschememathescape makes the succeeding grouped character an
-% escape into latex math from within Scheme code;
-% this character can't be }
-
-\let\defschememathescape\comm@ntII
-\let\undefschememathescape\comm@ntII
-
-% telling SLaTeX that a certain Scheme identifier is to
-% be replaced by the specified LaTeX expression.
-% Useful for generating ``mathematical''-looking
-% typeset code even though the corresponding Scheme
-% code is ascii as usual and doesn't violate
-% identifier-naming rules
-
-\def\setspecialsymbol{%
- \begingroup
- \let\do\@makeother \dospecials
- \@commIII}
-
-\begingroup\catcode`\[1 \catcode`\]2
-\catcode`\{12 \catcode`\}12
-\long\gdef\@commIII{[%
- \long\def\@tempa ##1}[\endgroup\@gobbleI]\@tempa]%
-\endgroup
-
-\def\@gobbleI#1{}
-
-% \unsetspecialsymbol strips Scheme identifier(s) of
-% any ``mathematical'' look lent by the above
-
-\let\unsetspecialsymbol\comm@ntII
-
-% enabling/disabling slatex
-
-\def\slatexdisable#1{\expandafter\gdef\csname#1\endcsname{}}
-
-% \schemecasesensitive takes either true or false as
-% argument
-
-\def\schemecasesensitive#1{}
-
-%for latex only: use \slatexseparateincludes before the
-%occurrence of any Scheme code in your file, if you
-%want the various \include'd files to have their own
-%pool of temporary slatex files. This lets you juggle
-%your \include's in successive runs of LaTeX without
-%having to worry that the temp. files may interfere.
-%By default, only a single pool of temp files is used.
-%Warning: On DOS, if your \include'd files have fairly
-%similar names, avoid \slatexseparateincludes since the
-%short filenames on DOS will likely confuse the temp
-%file pools of different \include files.
-
-\def\slatexseparateincludes{%
-\gdef\include##1{{\def\subjobname{##1}%
-\sch@mefilenamecount=-1
-\@include##1 }}}
-
-% convenient abbreviations for characters
-
-\begingroup
-\catcode`\|=0
-|catcode`|\=12
-|gdef|ttbackslash{{|tt|catcode`|\=12 \}}
-|endgroup
-\mathchardef\lt="313C
-\mathchardef\gt="313E
-\begingroup
- \catcode`\@12
- \global\let\atsign@%
-\endgroup
-\chardef\dq=`\"
-
-% leading character of slatex filenames: . for unix to
-% keep them out of the way
-
-\def\filehider{.}
-
-% since the above doesn't work of dos, slatex on dos
-% will use a different character, and make the
-% redefinition available through the following
-
-\InputIfFileExists{xZfilhid.tex}{}{}
-
-% @ is no longer a letter for TeX
-
-\ifusinglatex\relax\else
-\catcode`\@\atcatcodebeforeslatex
-\fi
-
-\message{*** Check: Are you sure you called SLaTeX \slatexversion? ***}
diff --git a/collects/slatex/slatex-code/slatxdoc.dvi b/collects/slatex/slatex-code/slatxdoc.dvi
deleted file mode 100644
index 24f06604..00000000
Binary files a/collects/slatex/slatex-code/slatxdoc.dvi and /dev/null differ
diff --git a/collects/slatex/slatex-code/slatxdoc.tex b/collects/slatex/slatex-code/slatxdoc.tex
deleted file mode 100644
index 927f93e0..00000000
--- a/collects/slatex/slatex-code/slatxdoc.tex
+++ /dev/null
@@ -1,1777 +0,0 @@
-%slatxdoc.tex
-%SLaTeX Version 2.4
-%Documentation for SLaTeX
-%(c) Dorai Sitaram
-%dorai@cs.rice.edu
-
-\input slatex.sty
-
-\slatexdisable{enableslatex}
-\input tex2html
-\magnification\magstephalf
-
-%\advance\hoffset -.1true in
-%\advance\voffset -.1 true in
-%\advance\hsize .2 true in
-%\advance\vsize .2 true in
-
-\input 8pt
-\input 2col
-\input defun
-
-%%%% other definitions
-
-%\frenchspacing
-
-% color, if possible
-
-\InputIfFileExists{colordvi}{}{\let\Red\relax
-\let\Blue\relax
-\let\Green\relax}
-
-%\def\section{\bigbreak\begingroup\noindent\bf
-%\def\par{\endgroup\nobreak\smallskip}}
-
-\def\bs{{\tt\char`\\}}
-\def\{{\ifmmode\lbrace\else$\lbrace$\fi}
-\def\}{\ifmmode\rbrace\else$\rbrace$\fi}
-
-% sans-serif
-
-\font\sf cmss10
-
-% \newcheapcount\bibitemnumber
-
-% \def\bibitem{\par\globaladvancecheapcount\bibitemnumber 1%
-% \edef\recentlabel{\bibitemnumber}%
-% [\bibitemnumber]\label}
-
-%
-\overfullrule 0pt
-
-%\parindent1.5em
-\pretolerance0
-\tolerance4000
-
-%\raggedbottom
-
-\hyphenation{def-sla-tex-env-style dorai env-name
-kyo-to left-code-skip right-code-skip
-scheme-case-sen-si-tive scheme-dis-play scheme-in-put
-scheme-re-gion scheme-re-sponse-box scheme-re-sult SLaTeX}
-
-% glossary items
-
-\def\re{\defun{}}
-
-\def\wideline{\par\centerline{\hrulefill}\par}
-
-\let\footnotehook\eightpoint
-\hyphenchar\eighttt=-1
-
-% abbrevs
-
-\let\n\noindent
-\let\f\numfootnote
-
-%\packindex
-
-\leftcodeskip\parindent
-
-\enableslatex
-
-\centerline{How to Use SLaTeX}
-
-\bigskip
-
-\centerline{Dorai Sitaram}
-\centerline{{\tt dorai@cs.rice.edu}}
-\centerline{Department of Computer Science}
-\centerline{Rice University}
-\centerline{Houston, TX 77251-1892}
-
-\bigskip
-
-SLaTeX \index{introduction} is a Scheme program that allows
-you to write programs or program fragments ``as is'' in your
-TeX or LaTeX source. It is particularly geared to the
-programming languages Scheme and other Lisps, e.g., Common
-Lisp. The formatting of the code includes assigning
-appropriate fonts and colors to the various tokens in the
-code (keywords, variables, constants, data), at the same
-time retaining the proper indentation when going to the
-non-monospace (non-typewriter) fonts provided by TeX.
-SLaTeX comes with two databases that recognize the
-identifier conventions of Scheme and Common Lisp
-respectively. These can be modified by the user with easy
-TeX commands. In addition, the user can tell SLaTeX to
-typeset certain identifiers as specially suited TeX
-expressions (i.e., beyond just fonting them). All this is
-done without interfering with the identifier conventions of
-the language of the programming code. In sum, no change
-need be made to your (presumably running) program code in
-order to get a typeset version with a desired look: You can
-get a spectrum of styles ranging from {\it no\/} fonting
-through basic default fonting to various
-``math\-e\-mat\-i\-cal''-looking output for pedagogic or
-other reasons.
-
-Popular packages for typesetting Scheme code, e.g.,
-Queinnec's LiSP2TeX~\cite{lisp2tex}
-and Ramsdell's SchemeWeb~\cite{schemeweb}, use
-a {\tt verbatim}-like environment
-where all the characters are in a {\tt monospace typewriter}
-font. While the {\tt monospace} ensures that the indentation
-is not affected, it fails to distinguish between the various
-tokens used in the code. On the other hand, SLaTeX can
-font- or even color-code\f{To get color, you need a dvi
-driver such as Rokicki's {\tt dvips} and a color printer. If
-you don't have a color printer, you can still view your
-color-coded document on screen, but will have to settle for
-grayscaling on your paper output.} the tokens, e.g., {\bf
-boldface} and/or red for keywords like \scheme{define} and
-\scheme{lambda}, {\sf sans-serif} and/or green for
-constants like \scheme{#t} and \scheme{42}, and {\it italics\/}
-and/or blue for variables such as
-\scheme{x} and \scheme{y} in \scheme{(lambda (x y)
-(cons x (cons y '())))}. SLaTeX provides a
-convenient way of capturing the indentation
-information as well as assigning distinguishing fonts
-to code tokens without requiring the user to worry
-about fonting and spacing. It uses temporary files
-to store its typeset version of the user's code
-fragments and then calls TeX or LaTeX on the user's
-TeX files as well as these temporaries.
-
-\slatexdisable{enableslatex}
-
-The rest of this manual has the following outline:
-section~\ref{intro-example} introduces a small example
-that covers the SLaTeX control sequences you will need
-the most. Both LaTeX~\cite{latex} and plain
-TeX~\cite{tex} versions are
-shown. Section~\ref{slatex-sty-files} describes the
-SLaTeX style files {\tt slatex.sty} and {\tt cltl.sty}.
-Section~\ref{glossary} provides a complete description
-of all the SLaTeX control sequences. These include
-commands for manipulating output positioning, enhancing
-the database, changing the fonting defaults, adding
-special symbols, and selective disabling of
-SLaTeX. Section~\ref{preamble} offers guidelines for
-setting up a preamble that reflects your typesetting
-taste. Section~\ref{ftp} contains information on
-obtaining and installing SLaTeX.
-
-\section{Introductory example}
-\label{intro-example}
-
-\index{quick introduction}
-We now present a short text that illustrates the
-most basic features of SLaTeX. Luckily, these
-cover the commands you will need and use the most.
-There are a couple of minor differences between the
-ways SLaTeX is used in LaTeX and in plain TeX (but
-see the entry in section~\ref{glossary} for \p{\defslatexenvstyle} if
-you wish to use the plain-TeX style with the LaTeX
-format, or the LaTeX style with the plain format).
-
-\subsection{SLaTeX for LaTeX users}
-
-\index{LaTeX}
-\index{scheme@{\tt\bs scheme}}
-\index{schemedisplay@{\tt\{schemedisplay\}}!in LaTeX}
-\index{in-text Scheme code}
-\index{displayed Scheme code}
-\index{slatex.sty@{\tt slatex.sty}}
-\index{slatex.sty@{\tt slatex.sty}!as document style}
-Consider the following LaTeX ({\it and\/}
-SLaTeX) file
-{\tt quick.tex}:
-
-\goodbreak
-
----
-
-\verbatim+
-% quick.tex
-\documentclass{article}
-\usepackage{slatex}
-%
-%That was LaTeX2e. If you use
-%LaTeX2.09, or LaTeX2e in
-%2.09 compatibility mode, use
-%
-%\documentstyle[slatex]{article}
-%
-%or
-%
-%\documentstyle{article}
-%\input slatex.sty
-\begin{document}
-
-In Scheme, the expression
-\scheme|(set! x 42)| returns
-an unspecified value, rather
-than \scheme'42'. However,
-one could get a \scheme{set!}
-of the latter style with:
-
-\begin{schemedisplay}
-(define-syntax setq
- (syntax-rules ()
- [(setq x a)
- (begin (set! x a)
- x)]))
-\end{schemedisplay}
-
-\end{document}
-+
-
----
-
-First, the SLaTeX definitions in the style file
-{\tt slatex.sty} are loaded into your LaTeX file. This may
-be done either via \p{\usepackage} or
-\p{\input} --- or, if you use LaTeX 2.09, as a
-\p{\documentstyle} option.
-
-\index{scheme@{\tt\bs scheme}!using grouped argument}
-
-In-text code is introduced by the SLaTeX control
-sequence \p{\scheme} and is flanked by a pair of
-identical characters that are not alphabetic letters
-or ``\p|{|''. As a special convenient case,
-SLaTeX also allows the form \p{\scheme{...}}.
-
-The SLaTeX control sequences for
-displayed code are the opening
-
-\verbatim{
-\begin{schemedisplay}
-}
-
-\n and the closing
-
-\verbatim{
-\end{schemedisplay}
-}
-
-The file is now SLaTeX'd by running the command {\tt slatex}
-on it from the Unix or DOS or OS/2 command
-line:
-
-\verbatim{
-slatex quick
-}
-
-\n or
-
-\verbatim{
-slatex quick.tex
-}
-
-\n Alternatively, you can load the file {\tt callsla.scm} into
-your Scheme or Common Lisp, and then call
-
-\verbatim{
-(call-slatex "quick")
-}
-
-\n This calls a Scheme program {\tt slatex.scm} that
-typesets the Scheme code fragments from {\tt quick.tex} into
-temporary files. Thereafter, {\tt quick.tex} along with the
-temporary files are passed
-to LaTeX. (For information on judiciously
-reusing temporary files, see
-\p{\separateincludes}.)
-The resulting
-{\tt quick.dvi} file, when viewed or printed, looks like:
-
-\enableslatex
-
----
-
-\n
-In Scheme, the expression
-\scheme|(set! x 42)| returns
-an unspecified value, rather
-than \scheme'42'. However,
-one could get a \scheme{set!}
-of the latter style with:
-
-\schemedisplay
-(define-syntax setq
- (syntax-rules ()
- [(setq x a)
- (begin (set! x a)
- x)]))
-\endschemedisplay
-
----
-
-\index{recognizing new syntactic keywords automatically}
-
-Note that \scheme{setq}, although not normally a
-syntactic keyword in Scheme, is nevertheless
-automatically recognized as such because of the context
-in which it occurs. No special treatment is needed to
-ensure that it will continue be treated as such in any
-subsequent Scheme code in the document.
-\slatexdisable{enableslatex}
-
-\subsection{SLaTeX for plain TeX users}
-
-\index{plain TeX}
-\index{scheme@{\tt\bs scheme}}
-\index{schemedisplay@{\tt\{schemedisplay\}}!in plain TeX}
-\index{in-text Scheme code}
-\index{displayed Scheme code}
-SLaTeX works much the same way with plain TeX as with
-LaTeX, but for only two exceptions. First, since plain TeX
-doesn't have \p{\documentstyle}, the file
-{\tt slatex.sty} must be introduced via an \p{\input}
-statement before its commands can be used in the plain
-TeX source.
-
-\index{environments}
-
-Second, since plain TeX does not have LaTeX's
-\p|\begin{|{\it env\/}\p|} ... \end{|{\it env\/}\p|}|
-style of environments, any
-environment commands in SLaTeX are invoked with the
-opening \p{\}{\it env\/} and the closing
-\p{\end}{\it env}.
-
-The plain TeX version of {\tt quick.tex} looks like:
-
----
-
-\verbatim+
-% quick.tex
-\input slatex.sty
-
-In Scheme, the expression
-\scheme|(set! x 42)| returns
-an unspecified value, rather
-than \scheme'42'. However,
-one could get a \scheme{set!}
-of the latter style with:
-
-\schemedisplay
-(define-syntax setq
- (syntax-rules ()
- [(setq x a)
- (begin (set! x a)
- x)]))
-\endschemedisplay
-\bye
-+
-
----
-
-The file is now SLaTeX'd by invoking {\tt slatex} as
-before --- SLaTeX is clever enough to figure out
-whether the file it operates on should later be sent to
-LaTeX or plain TeX.
-
-\section{The SLaTeX style files}
-\label{slatex-sty-files}
-
-\index{slatex.sty@{\tt slatex.sty}}
-The LaTeX (or TeX) file that is given to SLaTeX
-undergoes some code-setting preprocessing and is then
-handed over to LaTeX (or TeX). The style file
-{\tt slatex.sty} defines the appropriate commands so that
-LaTeX (or TeX) can recognize the SLaTeX-specific
-directives and deal with them appropriately. As
-mentioned above, you may
-either \p{\input} the file {\tt slatex.sty},
-or use it as the \p{\documentstyle} option
-{\tt slatex}.
-
-\index{cltl.sty@{\tt cltl.sty}}
-\index{SLaTeX database!for Scheme}
-\index{SLaTeX database!for Common Lisp}
-\index{SLaTeX database!modifying}
-
-The default database of SLaTeX recognizes the keywords
-and constants of Scheme. The database can be modified
-with the commands \p{\setkeyword},
-\p{\setconstant}, \p{\setvariable},
-\p{\setdata},
-\p{\setspecialsymbol} and \p{\unsetspecialsymbol}
-(q.v.). If you're using Common Lisp rather than
-Scheme, use {\tt cltl.sty} instead of {\tt slatex.sty}.
-{\tt cltl.sty} loads {\tt slatex.sty} and modifies the
-database to reflect Common Lisp. You may also fashion your
-own {\tt .sty} files on the model of {\tt cltl.sty}.
-
-\section{SLaTeX's control sequences}
-\label{glossary}
-
-\index{SLaTeX control sequences}
-You've already seen the SLaTeX control sequence
-\p{\scheme} and the environment
-\p{{schemedisplay}}.\f{The notation
-\p|{|{\it envname\/}\p|}|
-is used to denote an environment
-named {\it envname}. Usually, in plain TeX, this is the pair
-\p{\}{\it envname\/} and \p{\end}{\it envname}, while in
-LaTeX, it is the environment formed with
-\p|\begin{|{\it envname\/}\p|}| and
-\p|\end{|{\it envname\/}\p|}|.
-But see
-\p{\defslatexenvstyle}.} These suffice for quite a
-few instances of handling code. However, you will
-occasionally require more control on the typesetting
-process. To help you in such situations, here is a
-complete\f{At least that's what you're supposed to
-think~\dots} list of SLaTeX control sequences with
-examples.
-
-\re{\p{{schemedisplay}}}
-\index{schemedisplay@{\tt\{schemedisplay\}}}
-\index{displayed Scheme code}
-
-Typesets the enclosed code, which is typically several
-lines of code indented as is common in Scheme files. E.g.,
-
-\verbatim{
-\begin{schemedisplay}
-(define compose
- ;this is also known as $B$
- (lambda (f g)
- (lambda (x)
- (apply f (g x)))))
-\end{schemedisplay}
-is the ``compose'' function.
-}
-
-\n produces
-
-\enableslatex
-\schemedisplay
-(define compose
- ;this is also known as $B$
- (lambda (f g)
- (lambda (x)
- (apply f (g x)))))
-\endschemedisplay
-is the ``compose'' function.
-\slatexdisable{enableslatex}
-
-As with all LaTeX environment enders, if the line
-after \p{\end{schemedisplay}} contains
-non-whitespace text, the paragraph continues.
-Otherwise --- i.e., when \p{\end{schemedisplay}}
-is followed by at least one blank line --- a fresh
-paragraph is started. Similarly, in plain TeX, a
-fresh paragraph is started after a
-\p{{schemedisplay}} only if
-\p{\endschemedisplay} is followed by at least one
-blank line.
-
-\index{Scheme comments}
-
-Comments in Scheme are usually introduced by ``{\tt ;}''
-(semicolon). The rest of the line after a ``{\tt ;}''
-is set in paragraph mode.
-
-\index{TeX paragraphs amidst Scheme code}
-
-Separate {\it blocks\/} of code can either be
-introduced in different \p{{schemedisplay}}
-environments or put in a single
-\p{{schemedisplay}} and separated by a line with a
-``{\tt ;}'' in the first column. This ``{\tt ;}'' is
-not typeset and anything following it on the line is
-set in paragraph mode. Consecutive lines with ``{\tt ;}'' in
-the first column are treated as input for a
-TeX paragraph, with words possibly moved around from
-line to line to ensure justification. When in
-paragraph mode, the first line that has {\it no\/}
-leading ``{\tt ;}'' signals a fresh block of Scheme
-code within the \p{{schemedisplay}}. (The
-\p{{schemedisplay}} may end, or commence, on
-either a paragraph or a Scheme code block.)
-
-E.g.,
-
-\verbatim{
-\begin{schemedisplay}
-(define even?
- ;testing evenness
- (lambda (n)
- (if (= n 0) #t
- (not (odd? (- n 1))))
- ))
-; The procedures {\it even?\/}
-; above and {\it odd?\/} below
-; are mutually recursive.
-(define odd?
- ;testing oddness
- (lambda (n)
- (if (= n 0) #f
- (not (even? (- n 1))))
- ))
-\end{schemedisplay}
-}
-
-\n produces
-
-\enableslatex
-\schemedisplay
-(define even?
- ;testing evenness
- (lambda (n)
- (if (= n 0) #t
- (not (odd? (- n 1))))
- ))
-; The procedures {\it even?\/}
-; above and {\it odd?\/} below
-; are mutually recursive.
-(define odd?
- ;testing oddness
- (lambda (n)
- (if (= n 0) #f
- (not (even? (- n 1))))
- ))
-\endschemedisplay
-
-\slatexdisable{enableslatex}
-SLaTeX can recognize that blocks of code are separate
-if you have at least one empty line separating them.
-I.e., there is no need for empty ``{\tt ;}'' lines.
-This convenience is to accommodate Scheme files where
-definitions are usually separated by one or more
-blank lines.
-
-\index{schemedisplay@{\tt\{schemedisplay\}}!allowing page
-breaks in}
-
-Intervening paragraphs, either with lines with a
-leading ``{\tt ;}'', or with blank lines, are ideal
-spots for \p{{schemedisplay}} to allow pagebreaks.
-In fact, the default setting for
-\p{{schemedisplay}} also allows pagebreaks {\it within\/} a
-Scheme block, but it is easy to disable
-this (see entry for
-\p{\rightcodeskip}).
-
-{\tolerance100000 The space surrounding displayed
-Scheme code can be modified by setting the {\it skips\/}
-\p{\abovecodeskip}, \p{\belowcodeskip}, \p{\leftcodeskip},
-and \p{\rightcodeskip} (q.v.).\par}
-
-Note: see \p{{schemeregion}}.
-
-\re{\p{{schemeresponse}}}
-\index{schemeresponse@{\tt\{schemeresponse\}}}
-\index{displayed Scheme result}
-
-This is like \p{{schemedisplay}}, except that the
-code is displayed as the output of a Scheme
-evaluation, i.e., as data. In other words, keyword
-and variable fonts are disabled.
-
-Note: see \p{\schemeresult} and
-\p{{schemeresponsebox}}.
-
-\re{\p{\scheme}}
-\index{scheme@{\tt\bs scheme}}
-\index{in-text Scheme code}
-
-{\tolerance100000 Typesets its argument, which is
-enclosed in arbitrary but identical non-alphabetic and
-non-\p|{| characters, as in-text code. Special case:
-\p{\scheme{...}} is a convenience (provided the `\p{...}'\
-doesn't contain a `\p|}|'). E.g., \p+\scheme|(call/cc+
-\p+(lambda (x) x))|+ and \p+\scheme{(call/cc+ \p+(lambda (x)
-x))}+ both produce
-\enableslatex
-\scheme{(call/cc (lambda (x) x))}.
-\slatexdisable{enableslatex}
-\index{scheme@{\tt\bs scheme}!using grouped argument}
-\par}
-
-\index{nesting SLaTeX control sequences}
-It {\it is\/} permitted to intermix calls to
-\p{{schemedisplay}} and
-\p{\scheme}. Thus,
-
-\verbatim{
-\begin{schemedisplay}
-(define factorial
- (lambda (n)
- (if (= n 0)
- ;\scheme{(zero? n)}
- ;also possible
- 1 (* n (factorial
- (- n 1))))))
- ;or \scheme{... (sub1 1)}
-\end{schemedisplay}
-}
-
-\n produces
-
-\enableslatex
-\schemedisplay
-(define factorial
- (lambda (n)
- (if (= n 0)
- ;\scheme{(zero? n)}
- ;also possible
- 1 (* n (factorial
- (- n 1))))))
- ;or \scheme{... (sub1 1)}
-\endschemedisplay
-
-\slatexdisable{enableslatex}
-Note: see \p{{schemeregion}}.
-
-\re{\p{\schemeresult}}
-\index{schemeresult@{\tt\bs schemeresult}}
-
-Typesets its argument, which is enclosed in arbitrary
-but identical non-alphabetic and non-\p|{|
-characters, as in-text Scheme ``result'' or data:
-i.e., keyword and variable fonts are disabled.
-Special convenient case (as for \p{\scheme}):
-\p{\schemeresult{...}}. E.g.,
-\index{schemeresult@{\tt\bs schemeresult}!using grouped argument}
-
-\verbatim+
-\scheme|((lambda () (cons 'lambda
-'cons)))| yields
-\schemeresult|(lambda . cons)|.
-+
-
-\n produces
-
-\enableslatex
-\scheme|((lambda () (cons 'lambda
-'cons)))| yields
-\schemeresult|(lambda . cons)|.
-\slatexdisable{enableslatex}
-
-\re{\p{{schemebox}}}
-\index{schemebox@{\tt\{schemebox\}}}
-\index{boxed Scheme code}
-
-The \p{{schemebox}} environment is similar to
-\p{{schemedisplay}} except that the code is
-provided as a ``box'' (i.e., it is not ``displayed''
-in the standard way). Indeed, when the appropriate
-skip parameters are set, \p{{schemedisplay}}
-itself {\it may\/}\f{Yes, {\it may\/}: Not all
-\p{{schemedisplay}}s invoke \p{{schemebox}},
-and if you're curious why, see entry for
-\p{\rightcodeskip}. It is a matter of whether
-pagebreaks within Scheme code are allowed or not.}
-use a \p{{schemebox}} to create a box of code that
-is set off with all-round space as a display.
-
-Saving a \p{{schemebox}} in an explicit box allows you
-to move your typeset code arbitrarily.
-
-Note: see \p{{schemeregion}}.
-
-\re{\p{{schemeresponsebox}}}
-\index{schemeresponsebox@{\tt\{schemeresponsebox\}}}
-
-This is like \p{{schemebox}}, except that the
-contents are displayed as Scheme data. See also
-\p{\schemeresult} and \p{{schemeresponse}}.
-
-\re{\p{\schemeinput}}
-\index{schemeinput@{\tt\bs schemeinput}}
-\index{inputting Scheme files as is}
-
-This can be used to input Scheme files as typeset code.
-(Unlike (La)TeX's \p{\input}, \p{\schemeinput}'s
-argument must always be grouped.) The Scheme file can
-be specified either by its full name, or without its
-extension, if the latter is \p{.scm}, \p{.ss} or
-\p{.s}. E.g.,
-
-\verbatim{
-\schemeinput{evenodd.scm}
-% the .scm is optional!
-}
-
-\n {\tolerance100000 (where \p{evenodd.scm} is the
-name of a Scheme file containing the code for
-\enableslatex
-\scheme{even?} and \scheme{odd?} above) produces the same
-effect as the
-\slatexdisable{enableslatex}
-\p{{schemedisplay}} version.\par}
-
-Note: see \p{{schemeregion}}.
-
-\re{\p{{schemeregion}}}
-\index{schemeregion@{\tt\{schemeregion\}}}
-\index{nesting SLaTeX control sequences}
-
-{\tolerance100000
-Calls to \p{\scheme}, \p{\schemeresult},
-\p{{schemedisplay}}, \p{{schemebox}} or
-\p{\schemeinput} can be nested in (a Scheme comment)
-of other calls. In (La)TeX source, they can occur in
-bodies of environments or be otherwise grouped.
-However, they cannot normally be passed as arguments to
-macros or included in bodies of macro definitions (even
-though these are complete calls and not parameterized
-with respect to macro arguments). To be able to do
-these things, you should first cordon off such a text with
-the
-\p{{schemeregion}} environment. SLaTeX is fairly
-generous about where exactly you throw the cordon.\par}
-
-E.g., you cannot have
-
-\verbatim{
-...
-The code fragment $\underline
-{\hbox{\scheme{(call/cc I)}}}$ is ...
-...
-}
-
-\n but you {\it can\/} have
-
-\verbatim{
-\begin{schemeregion}
-...
-The code fragment $\underline
-{\hbox{\scheme{(call/cc I)}}}$ is ...
-...
-\end{schemeregion}
-}
-
-\n and this will produce
-
-\enableslatex
-\schemeregion
-\dots
-
-The code fragment $\underline
-{\hbox{\scheme{(call/cc I)}}}$ is \dots
-
-\dots
-\endschemeregion
-\slatexdisable{enableslatex}
-
-Thus, the \p{{schemeregion}} environment makes it
-possible to put SLaTeX-specific commands inside macro
-arguments or macro definitions without causing
-rupture. Normally, this can't be done since once
-SLaTeX is done preprocessing your text, all
-SLaTeX-specific commands correspond to \p{comment}-like
-regions --- the actual typeset code is
-in an external, temporary file. These \p{comment}
-regions share the characteristic of LaTeX's {\tt verbatim}
-regions, which also can't appear in macro
-arguments or definitions.
-
-To solve this, you enclose the offending text in a
-\p{{schemeregion}} environment. This ``inlines''
-all the the enclosed calls to SLaTeX as actual
-typeset code instead of treating such calls as \p{comment}
-regions --- thus escaping the fate described
-above. A \p{{schemeregion}} is a perfect no-op as
-far as the enclosed {\it non\/}-SLaTeX commands are
-concerned.
-
-However, while a \p{{schemeregion}} allows its
-enclosed SLaTeX commands to be included in macro
-arguments and bodies, it itself cannot be so
-included. This is because \p{{schemeregion}} is
-now a super-\p{comment}. The solution is simple:
-just pull the \p{{schemeregion}} cordon as outward
-as possible so that all the SLaTeX calls that you
-need treated specially are enclosed. A safe approach
-is to call \p{{schemeregion}} at the ``top
-level'', i.e., outside any nesting of groups --- it
-does not hurt that the cordon is too wide. Indeed,
-you may even wrap each of your TeX files in one huge
-\p{{schemeregion}} if you so wish. This will cover
-any obscure ``non-robust''\f{The term ``robust'' is not
-necessarily used in the same sense as in the LaTeX manual
-(Lamport).} use of the SLaTeX primitives --- the only
-downside is that SLaTeX may run slower.
-
-Note: TeX files that are loaded using \p{\input}
-from within a \p{{schemeregion}} will not
-automatically inherit the robust lifestyle. A SLaTeX
-command is made robust only by an enclosing
-\p{{schemeregion}} {\it in the same file as
-itself}. In other words, region markers have textual
-or ``lexical'' scope, not ``dynamic'' scope.
-
-\re{\p{\setkeyword}
-\p{\setconstant}
-\p{\setvariable}
-\p{\setdata}}
-\index{setkeyword@{\tt\bs setkeyword}}
-\index{setconstant@{\tt\bs setconstant}}
-\index{setvariable@{\tt\bs setvariable}}
-\index{setdata@{\tt\bs setdata}}
-\index{SLaTeX database!modifying}
-
-SLaTeX has a database containing information about
-which code tokens are to be treated as {\bf keywords},
-which as {\sf constants}, which as {\it variables}, and
-which as {\sf data}. However, it is very likely that
-you will want to add your own tokens to these
-categories. The control sequences that enable you to
-do this are \p{\setkeyword},
-\p{\setconstant},
-\p{\setvariable}, and \p{\setdata}. Their arguments are entered
-as a (space-separated) list enclosed in braces
-(\p{{}}): SLaTeX learns that these are henceforth to
-be typeset in the appropriate category. E.g.,
-
-\enableslatex
-\verbatim{
-\setconstant{infinity -infinity}
-}
-
-\n tells SLaTeX that \scheme{infinity} and
-\scheme{-infinity} are to be typeset as constants.
-\slatexdisable{enableslatex}
-
-\index{recognizing new syntactic keywords automatically}
-
-The user need not use \p{\setkeyword} to specify such
-new keywords as are introduced by Scheme's and Common
-Lisp's syntactic definition facilities
-\enableslatex
-(\scheme{define-syntax}/\scheme{syntax-rules},
-\scheme{defmacro}, \scheme{extend-syntax},
-\scheme{define-macro!}.) SLaTeX automatically recognizes
-new macros and auxiliary keywords defined using these
-facilities.
-\slatexdisable{enableslatex}
-
-In addition, quoted material is recognized as
-``constant'', and strings, numbers, booleans and
-characters are recognized as ``data'' without the need
-to identify them with \p{\setconstant} and
-\p{\setdata} respectively.
-
-\re{\p{\setspecialsymbol}
-\p{\unsetspecialsymbol}}
-\index{setspecialsymbol@{\tt\bs setspecialsymbol}}
-\index{unsetspecialsymbol@{\tt\bs unsetspecialsymbol}}
-\index{SLaTeX database!modifying}
-\index{recognizing special symbols}
-
-These commands are useful to generate
-``math\-e\-mat\-i\-cal''-looking typeset versions of
-your code, over and beyond the fonting capabilities
-provided by default. Although your program code is
-naturally restricted to using ascii identifiers that
-follow some convention, the corresponding typeset
-code could be more mnemonic and utilize the full
-suite of mathematical and other symbols provided by
-TeX. This of course should not require you to
-interfere with your code itself, which should run in
-its ascii representation. It is only the typeset
-version that has the new look. For instance, you
-might want all occurrences of \p{lambda}, \p{and},
-\p{equiv?}, \p{below?}, \p{above?}, \p{a1} and \p{a2} in
-your code to be typeset as
-$\lambda$, $\land$, $\equiv$, $\subseteq$,
-$\supseteq$, $a_1$ and $a_2$ respectively. To do
-this, you should \p{\setspecialsymbol} the
-concerned identifier to the desired TeX expansion,
-viz.,
-
-\enableslatex
-\verbatim{
-\setspecialsymbol{lambda}{$\lambda$}
-\setspecialsymbol{and}{$\land$}
-\setspecialsymbol{equiv?}{$\equiv$}
-\setspecialsymbol{below?}{$\subseteq$}
-\setspecialsymbol{above?}{$\supseteq$}
-\setspecialsymbol{a1}{$a_1$}
-\setspecialsymbol{a2}{$a_2$}
-}
-
-\n Now, typing\slatexdisable{enableslatex}
-
-\verbatim{
-\begin{schemedisplay}
-(define equiv?
- (lambda (a1 a2)
- (and (below? a1 a2)
- (above? a1 a2))))
-\end{schemedisplay}
-}
-
-\n produces
-
-\enableslatex
-\schemedisplay
-(define equiv?
- (lambda (a1 a2)
- (and (below? a1 a2)
- (above? a1 a2))))
-\endschemedisplay
-Note\slatexdisable{enableslatex} that with the above
-settings, \p{lambda} and \p{and} have lost their
-default keyword status, i.e., they will not be typed
-{\bf boldface}. To retrieve the original status of
-special symbols, you should use
-\p{\unsetspecialsymbol}, e.g.,
-
-\enableslatex
-\verbatim{
-\unsetspecialsymbol{lambda and}
-}
-
-\n Typing the same program after unsetting the
-special symbols as above produces, as expected:
-
-\schemedisplay
-(define equiv?
- (lambda (a1 a2)
- (and (below? a1 a2) (above? a1 a2))))
-\endschemedisplay
-
-In effect, \slatexdisable{enableslatex}
-\p{\setspecialsymbol} extends the
-basic ``fonting'' capability to arbitrarily special
-typeset versions.
-
-\re{\p{\schemecasesensitive}}
-\index{schemecasesensitive@{\tt\bs schemecasesensitive}}
-\index{case sensitivity}
-
-SLaTeX always typesets output that is of the same case
-as your input, regardless of the setting of the
-\p{\schemecasesensitive} command. However, this command
-can be used to signal to SLaTeX that all case variations of
-an identifier are to be treated identically. E.g., typing
-\p{\schemecasesensitive{false}} ensures
-that \p{lambda}, \p{lambda} and \p{lambda} will
-all be treated as keywords, just as \p{lambda}.
-\p{\schemecasesensitive{true}} reverts to the
-default mode where case is significant in determining
-the class of a token.
-
-Note that the status \p{\schemecasesensitive} also
-affects the ``special symbols'' of the previous item.
-Thus, in the default case-{\it sensitive\/} setting, only the
-case-significant symbol as mentioned in the call to
-\p{\setspecialsymbol} will be replaced by the
-corresponding TeX expansion. In a case-{\it in\/}sensitive
-setting, all case variations of the special symbol will
-be replaced.
-
-\re{\p{\abovecodeskip}
-\p{\belowcodeskip}
-\p{\leftcodeskip}
-\p{\rightcodeskip}}
-\index{abovecodeskip@{\tt\bs abovecodeskip}}
-\index{belowcodeskip@{\tt\bs belowcodeskip}}
-\index{leftcodeskip@{\tt\bs leftcodeskip}}
-\index{rightcodeskip@{\tt\bs rightcodeskip}}
-\index{schemedisplay@{\tt\{schemedisplay\}}!adjusting display parameters}
-
-These are the parameters used by \p{{schemedisplay}} for
-positioning displayed code. The default values are
-
-\verbatim{
-\abovecodeskip \medskipamount
-\belowcodeskip \medskipamount
-\leftcodeskip 0pt
-\rightcodeskip 0pt
-}
-
-\n This produces a flushleft display. The defaults can be
-changed to get new display styles. E.g., this manual
-sets
-
-\verbatim{
-\leftcodeskip\parindent
-}
-
-\n which shifts the display from the left by the same
-amount as a paragraph indentation.
-
-\index{schemedisplay@{\tt\{schemedisplay\}}!allowing page
-breaks in}
-\index{schemedisplay@{\tt\{schemedisplay\}}!disallowing
-pagebreaks in}
-
-In both the above cases, the \p{{schemedisplay}}
-environment will be broken naturally across page
-boundaries at the right spot if the code is too long to
-fit a single page. In fact, automatic pagebreaks
-within the Scheme code are allowed if and only if
-\p{\rightcodeskip} is 0pt (its default value). For
-all other values of \p{\rightcodeskip}, each Scheme
-code block in a \p{{schemedisplay}} is guaranteed
-to be on the same page. If you have decided on a left
-indentation, and you're not sure what value to give to
-\p{\rightcodeskip}, but nevertheless don't want
-Scheme code broken across pages, you could set
-
-\verbatim{
-\rightcodeskip=0.01pt %or
-\rightcodeskip=0pt plus 1fil
-}
-
-\n To understand why this would disable pagebreaks
-within the Scheme block, suppose instead you'd set
-
-\verbatim{
-\leftcodeskip=0pt plus 1fil
-\rightcodeskip=0pt plus 1fil
-}
-
-\n This will get you a {\it centered\/} display style.
-This is of course because the skip on each side of the
-code produces a ``spring''\f{Springs, or rather
-``glue'', are discussed in detail in {\em The
-TeXbook}~\cite[pp.\ 70ff.]{tex}.} that
-pushes the code to the center. But for this spring
-action to work nicely, the code must have been
-collected into an unbreakable box --- which is
-precisely what
-\p{{schemedisplay}} does for each of its code blocks
-whenever it notices that the prevailing value of
-\p{\rightcodeskip} is not the default
-zero.\f{0pt plus 1fil $\ne$ 0pt} Clearly, such
-unbreakable boxes cannot tolerate pagebreaks.
-
-Thus, the behind-the-scenes selective boxing dictates
-whether a \p{{schemedisplay}} block can or cannot be
-broken across a page boundary. And the value of
-\p{\rightcodeskip} is used to govern this selection
-in a ``reasonable'' manner.
-
-\re{\p{\keywordfont}
-\p{\constantfont}
-\p{\variablefont}
-\p{\datafont}}
-\index{keywordfont@{\tt\bs keywordfont}}
-\index{constantfont@{\tt\bs constantfont}}
-\index{variablefont@{\tt\bs variablefont}}
-\index{datafont@{\tt\bs datafont}}
-\index{specifying SLaTeX's fonts}
-
-These decide the typefaces used for keywords,
-constants, variables, and data. The default
-definitions are:\f{\p{\sf} in LaTeX is the
-sans-serif font. Since plain TeX does not define
-\p{\sf}, you may define one before
-\p{\input}ing \p{slatex.sty}. If no \p{\sf}
-is found, \p{slatex.sty} has \p{\let\sf=\rm}. You
-may redefine it before or after to an appropriate
-font of your choice. This manual set
-\p{\font\sf=cmss10}. Of course, you could
-redefine \p{\constantfont} itself to not rely on
-(the name) \p{\sf}.}
-
-\verbatim{
-\def\keywordfont#1{{\bf#1}}
-\def\constantfont#1{{\sf#1}}
-\def\variablefont#1{{\it#1\/}}
-\let\datafont\constantfont
-}
-
-\n This is close to the {\em Little
-Schemer}~\cite{tls,tss} style.
-Redefine these control
-sequences for font changes. As an extreme case, defining
-all of them to
-\p|{{\tt#1}}| typesets everything in monospace
-typewriter font, as, for instance, in SICP~\cite{sicp}.
-
-Note that ``constants'' and ``data'' {\it can\/} be
-distinguished, although by default SLaTeX does not do
-so. Typically, primitive data such as booleans,
-numbers, characters and strings are set as ``data'';
-whereas quoted material is set as ``constant''.
-
-The control sequences \p{\keywordfont}, \&c., can be
-defined to be anything at all, not just font switches.
-For instance, if you use Rokicki's dvips, you can
-use these SLaTeX sequences to color-code your programs!
-Simply use:
-
-\begingroup
-\def\keywordfont#1{\Red{#1}}
-\def\variablefont#1{\Blue{#1}}
-\def\constantfont#1{\Green{#1}}
-
-\verbatim{
-\input colordvi
-\def\keywordfont#1{\Red{#1}}
-\def\variablefont#1{\Blue{#1}}
-\def\constantfont#1{\Green{#1}}
-}
-
-\n The following example will appear in color if
-you've processed this document with dvips and have a
-color-capable viewer or printer:
-
-\enableslatex
-\schemedisplay
-(define factorial
- (lambda (n)
- (if (= n 0) 1
- (* n (+ n 1)))))
-\endschemedisplay
-
-\endgroup\slatexdisable{enableslatex}
-
-\re{\p{\defschemedisplaytoken}
-\p{\defschemetoken}
-\p{\defschemeboxtoken}
-\p{\defschemeresulttoken}
-\p{\defschemeresponsetoken}
-\p{\defschemeresponseboxtoken}
-\p{\defschemeinputtoken}
-\p{\defschemeregiontoken}}
-\index{defschemedisplaytoken@{\tt\bs defschemedisplaytoken}}
-\index{defschemetoken@{\tt\bs defschemetoken}}
-\index{defschemeboxtoken@{\tt\bs defschemeboxtoken}}
-\index{defschemeresulttoken@{\tt\bs defschemeresulttoken}}
-\index{defschemeresponsetoken@{\tt\bs defschemeresponsetoken}}
-\index{defschemeresponseboxtoken@{\tt\bs defschemeresponseboxtoken}}
-\index{defschemeinputtoken@{\tt\bs defschemeinputtoken}}
-\index{defschemeregiontoken@{\tt\bs defschemeregiontoken}}
-\index{defining SLaTeX control sequences}
-
-These define the tokens used by SLaTeX to trigger
-typesetting of in-text code, displayed code, boxed
-code, Scheme program files and robust regions. The
-default tokens are, as already described,
-\p{{schemedisplay}}, \p{\scheme},
-\p{{schemebox}}, \p{\schemeresult},
-\p{{schemeresponse}}, \p{{schemeresponsebox}},
-\p{\schemeinput} and \p{{schemeregion}}
-respectively. You can use the \p{\defscheme*token}
-control sequences to get alternate tokens, e.g.,
-shorter or more mnemonic ones. Thus,
-if you want \p{\code} to be
-your new control sequence for in-text code, use
-\p|\defschemetoken{code}|. All instances of
-\p{\code+...+} after this definition produce
-in-text code, unless overridden by an
-\p{\undefschemetoken} command.
-
-One can have at any time any number of tokens for the
-same activity. One consequence of this is that one can
-have nested \p{{schemeregion}}s, provided one has
-different names for the nested call. Otherwise, the
-\p{\end} of an inner region will prematurely
-terminate an outer region.
-
-\re{\p{\undefschemedisplaytoken}
-\p{\undefschemetoken}
-\p{\undefschemeboxtoken}
-\p{\undefschemeresulttoken}
-\p{\undefschemeresponsetoken}
-\p{\undefschemeresponseboxtoken}
-\p{\undefschemeinputtoken}
-\p{\undefschemeregiontoken}}
-\index{undefschemedisplaytoken@{\tt\bs undefschemedisplaytoken}}
-\index{undefschemetoken@{\tt\bs undefschemetoken}}
-\index{undefschemeboxtoken@{\tt\bs undefschemeboxtoken}}
-\index{undefschemeresulttoken@{\tt\bs undefschemeresulttoken}}
-\index{undefschemeresponsetoken@{\tt\bs undefschemeresponsetoken}}
-\index{undefschemeresponseboxtoken@{\tt\bs undefschemeresponseboxtoken}}
-\index{undefschemeinputtoken@{\tt\bs undefschemeinputtoken}}
-\index{undefschemeregiontoken@{\tt\bs undefschemeregiontoken}}
-\index{undefining SLaTeX control sequences}
-
-These {\it un\/}define the tokens used for triggering
-the typesetting of in-text code, displayed code, boxed
-code, Scheme program files, and robust regions.
-Typically, tokens are undefined so you can use the
-names for other purposes without tripping up the SLaTeX
-system.
-
-\re{\p{\defschememathescape}
-\p{\undefschememathescape}}
-\index{defschememathescape@{\tt\bs defschememathescape}}
-\index{undefschememathescape@{\tt\bs undefschememathescape}}
-\index{TeX mathmode in SLaTeX}
-\index{escape character for mathmode within Scheme}
-
-{\tolerance100000
-\p|\defschememathescape{$}| defines the character
-\p{$} as a mathematical escape character to be used
-within Scheme code. (Any character other than
-\p|}| and whitespace may be chosen instead of
-\p{$}.) This allows one to use TeX
-mathematical subformulas within Scheme code, e.g.,\par}
-
-\verbatim{
-\defschememathescape{$}
-
-\begin{schemedisplay}
-(define $\equiv$
- (lambda (a$_1$ a$_2$)
- ($\land$
- ($\subseteq$ a$_1$ a$_2$)
- ($\supseteq$ a$_1$ a$_2$))))
-\end{schemedisplay}
-}
-
-\n produces
-
-\enableslatex
-\defschememathescape{$}
-
-\schemedisplay
-(define $\equiv$
- (lambda (a$_1$ a$_2$)
- ($\land$
- ($\subseteq$ a$_1$ a$_2$)
- ($\supseteq$ a$_1$ a$_2$))))
-\endschemedisplay
-\undefschememathescape{$}
-\slatexdisable{enableslatex}
-\p|\undefschememathescape{$}| disables the
-math-escape nature, if any, of \p{$}.
-
-\re{\p{\slatexdisable}}
-\index{slatexdisable@{\tt\bs slatexdisable}}
-\index{disabling SLaTeX}
-
-The tokens for typesetting code, as also the token
-\p{\input} (which is sensitive to SLaTeX, since
-the latter uses it to recursively process files within
-files), can only be used as calls. If they occur in
-the bodies of macro definitions, or their names are
-used for defining other control sequences, SLaTeX could
-misprocess them. Sometimes, one wants TeX to
-\p{\input} a file, without wanting SLaTeX to process
-the inputted file. Or the name
-\p{\scheme} can occur in a verbatim environment,
-and we don't want such an occurrence to cause SLaTeX to
-look for and ``find'' Scheme code that is not really
-there.
-
-Avoiding such uses altogether can be unduly
-restrictive.\f{Especially when one is writing
-a ``How to \dots'' manual like this where one both uses
-{\it and\/} mentions the control sequences!} One way
-out is to judiciously employ the
-\p{\undefscheme*token} commands to temporarily
-remove the SLaTeX-specificity of these names. Even
-this can be painful. SLaTeX therefore provides the
-command \p{\slatexdisable}. This takes one
-argument word and makes the corresponding control
-sequence out of it. Further, from this point in the
-text, SLaTeX is disabled {\it until\/} the
-manufactured control sequence shows up. This
-mechanism makes it possible to restrict SLaTeX to only
-appropriate portions of the text. Note that the token
-\p{\slatexdisable} itself can appear in the text
-succeeding its call. The only token that can restore
-SLaTeX-sensitivity is the one created during the call
-to \p{\slatexdisable}.
-
-The following is a typical example of the
-\p{\slatexdisable} approach. You want the names
-\p{\scheme} and
-\p|\begin{schemedisplay}| in a {\tt verbatim}
-environment:
-
-\verbatim{
-\slatexdisable{slatexenable}
-\begin{verbatim}
-SLaTeX provides the command \scheme
-and the pair \begin{schemedisplay}
-and \end{schemedisplay} to typeset
-in-text and displayed Scheme code
-respectively.
-\end{verbatim}
-\slatexenable
-}
-
-\n produces the required
-
-\verbatim{
-SLaTeX provides the command \scheme
-and the pair \begin{schemedisplay}
-and \end{schemedisplay} to typeset
-in-text and displayed Scheme code
-respectively.
-}
-
-\re{\p{\slatexignorecurrentfile}}
-\index{slatexignorecurrentfile@{\tt\bs slatexignorecurrentfile}}
-\index{disabling SLaTeX}
-
-This is a SLaTeX pragma included to improve efficiency.
-If you're sure that the remaining portion of a certain
-(La)TeX file (including the files that would be
-\p{\input}ed by it) don't contain any SLaTeX
-commands, then you may place this control sequence in
-it at this point to signal SLaTeX that no preprocessing
-is necessary for the rest of the file.
-
-\re{\p{\defslatexenvstyle}}
-\index{defslatexenvstyle@{\tt\bs defslatexenvstyle}}
-\index{plain TeX}
-\index{LaTeX}
-\index{environments}
-
-As shown previously, the differences in SLaTeX usage
-between plain TeX and LaTeX is simply a matter of the
-difference in the ``environment'' styles of the two
-formats. It is easy get the behavior of the one format
-with the other.
-
-1. If you wish to use the plain-TeX style in LaTeX,
-type
-
-\verbatim{
-\defslatexenvstyle{tex}
-}
-
-\n before first such use.
-
-2. Similarly, if you wish to use the LaTeX
-\p{\begin}/\p{\end} style in plain TeX, use
-
-\verbatim{
-\defslatexenvstyle{latex}
-}
-
-\n {\it provided you have already defined \p{\begin} and
-\p{\end} appropriately!\/} One way to accomplish
-this is:
-
-\verbatim{
-\def\begin#1{\begingroup
- \csname#1\endcsname
- \let\end\endenvironment}
-\def\endenvironment#1{%
- \csname end#1\endcsname
- \endgroup}
-}
-
-\n Here, \p{\end} is defined within a group because
-TeX already has an \p{\end} command whose global
-definition is used by commands such as \p{\bye} and
-therefore should not be changed lightly.
-
-{\tolerance100000
-In either case, you can revert to the default style with
-\p|\defslatexenvstyle{latex}| and
-\p|\defslatexenvstyle{tex}|
-respectively.\par}
-
-\re{\p{\slatexseparateincludes}}
-\index{slatexseparateincludes@{\tt\bs slatexseparateincludes}}
-\index{reusing SLaTeX's temporary files}
-
-By default, the temporary files of SLaTeX use the name
-of the topmost TeX file, i.e., the name stored under
-\p{\jobname}. In large LaTeX documents using
-\p{\include}, this may be unduly restrictive.
-
-To recapitulate, the \p{slatex} command creates
-temporary files to store typeset code and then passes
-the baton on to TeX or LaTeX. If no significant change
-has been made to the Scheme code (either in content or
-in relative positioning) in the document, then
-successive calls to (La)TeX could be made directly
-using the old temporary files. This could be a time-saver,
-since it avoids calling up the Scheme typesetter.
-
-However, in a large LaTeX document with
-\p{\include}s, these successive calls to LaTeX often
-entail juggling the \p{\include}s that are chosen.
-In this case, even though the relative position of the
-Scheme code is preserved within each \p{\include}d
-file, the sequence perceived by the main file changes.
-This spoils the invariance we needed if we'd wanted to
-avoid calling SLaTeX unnecessarily.
-
-\index{reusing SLaTeX's temporary files!exploiting
-LaTeX's {\tt\bs include}}
-
-To solve this, the SLaTeX command sequence
-\p{\slatexseparateincludes} --- which must be called
-before the first occurrence of Scheme code in your
-document --- guarantees that each
-\p{\include}d file will generate its own pool of
-temp files. Thus, if the SLaTeX
-files are created once for each \p{\include}, they
-will be correctly loaded no matter what sequence of
-\p{\include}s is taken.
-
-\re{\p{\schemecodehook}}
-\index{schemecodehook@{\tt\bs schemecodehook}}
-\index{hook for {\tt\bs schemedisplay} and
-{\tt\bs schemebox}}
-
-The user can define \p{\schemecodehook} to be
-anything. The hook will be evaluated inside each
-subsequent call to \p{{schemedisplay}} and
-\p{{schemebox}}. E.g., if you have \p{\tiny}
-defined (as in LaTeX) to reduce font size, then
-
-\verbatim{
-\let\schemecodehook\tiny
-}
-
-\n converts your Scheme displays and boxes into {\fiverm
-small print}.
-
-The default value of the hook is \p{\relax}, a
-no-op.
-
-\section{Resetting SLaTeX's defaults}
-\label{preamble}
-
-\index{writing personal preamble}
-\index{SLaTeX database!modifying}
-{\tolerance100000 A sample style modification file for
-SLaTeX would include redefinition of the names of the
-codesetting control sequences; adjustment of the
-display parameters; modification of the font
-assignments for keywords, constants, variables, and
-special symbols; and addition of new keywords,
-constants, variables, and special symbols to SLaTeX's
-database.\par}
-
-Let's assume you want
-
-1. a centered display style with no vertical skips;
-
-{\tolerance100000 2. the names \p{\code},
-\p|{schemefrag}|,
-\p|{scmbox}|, \p{\sinput} instead of
-\p{\scheme}, \p{{schemedisplay}},
-\p{{schemebox}} and
-\p{\schemeinput};\par}
-
-3. tokens to disregard case;
-
-4. the keywords to come out in \p{typewriter}, the
-constants in roman, and the variables in {\bf bold};
-
-5. \p{und} and \p{oder} as keywords,
-\p{true} and \p{false} as constants,
-\p{define} as a variable (overriding default as
-keyword!), \p{F} as a constant (\p{f} will also
-be a constant, due to case-insensitivity!);
-
-6. \p{top} and \p{bottom} to print as
-$\top$ and $\bot$ respectively.
-
-This could be set up as
-
-\verbatim{
-\abovecodeskip 0pt
-\belowcodeskip 0pt
-\leftcodeskip 0pt plus 1fil
-\rightcodeskip 0pt plus 1fil
-
-\undefschemetoken{scheme}
-\undefschemeboxtoken{schemebox}
-\undefschemedisplaytoken{schemedisplay}
-\undefschemeinputtoken{schemeinput}
-
-\defschemetoken{code}
-\defschemeboxtoken{scmbox}
-\defschemedisplaytoken{schemefrag}
-\defschemeinputtoken{sinput}
-
-\schemecasesensitive{false}
-
-\def\keywordfont#1{{\tt#1}}
-\def\constantfont#1{{\rm#1}}
-\def\variablefont#1{{\bf#1\/}}
-
-\setkeyword{und oder}
-\setconstant{true false}
-\setvariable{define}
-\setconstant{F}
-
-\setspecialsymbol{top}{$\top$}
-\setspecialsymbol{bottom}{$\bottom$}
-}
-
-\n This file can then be \p{\input} in the preamble of
-your (La)TeX document.
-
-\section{Obtaining and installing SLaTeX}
-\label{ftp}
-
-\index{obtaining and installing SLaTeX}
-{\tolerance100000
-SLaTeX is available from the Rice University PLT website at
-the URL \path{http://www.cs.rice.edu/CS/PLT/packages/slatex/slatex.tar.gz}.
-Un\p{gzip}ping and
-un\p{tar}ring produces a directory \p{slatex},
-containing the SLaTeX files. (The file \p{manifest}
-lists the files in the distribution --- make sure that
-nothing is missing.)\par}
-
-To install SLaTeX on your system:
-
-1. First change directory (\p{cd}) to \p{slatex},
-the directory housing the SLaTeX files.\f{The SLaTeX
-files use Unix-style newlines. If you're using OS/2 or
-DOS, you may want to use an appropriate newline
-modifier to make the files comply
-with your operating system's newline format.}
-
-2. Edit the file \p{config.dat} as suggested by the
-comments in the file itself.
-
-3. Invoke your Scheme or Common Lisp interpreter.
-Load the file \p{config.scm}, i.e., type
-
-\enableslatex
-\schemedisplay
-(load "config.scm")
-\endschemedisplay
-at \slatexdisable{enableslatex} the Scheme (or Common
-Lisp) prompt. This will configure SLaTeX for your
-Scheme dialect and operating system, creating a Scheme
-file called \p{slatex.scm}. (If you informed \p{config.dat}
-that your Scheme dialect is Chez, the file
-\p{slatex.scm} is a compiled version rather than
-Scheme source.) The configuration process also creates
-a shell script (\p{slatex} on Unix, \p{slatex.cmd}
-on OS/2, and \p{slatex.bat} on DOS) to let you invoke
-SLaTeX from your operating system command line. A
-Scheme/Common Lisp file \p{callsla.scm} is also
-created --- this lets you call SLaTeX from the
-Scheme/Common Lisp prompt. This is a convenient alternative
-to using a shell script from the operating-system
-commandline. It is also the only alternative for those
-using SLaTeX on a Macintosh.
-
-4. Exit Scheme/Common Lisp.
-
-To set up paths and modify shell script:
-
-1. Copy (or move, or link) \p{slatex.scm} into a
-suitable place, e.g., your \p{bin} or \p{lib}
-directory, or the system \p{bin} or \p{lib}.
-
-2. Copy (or move, or link) \p{slatex.sty} into a
-suitable place, i.e., somewhere in your
-\p{TEXINPUTS} path. For installing on a multiuser
-system, place in the directory containing the LaTeX
-files (on mine this is {\tt
-/usr/local/lib/tex/macros}).
-
-3. \enableslatex
-Copy (or move, or link) the shell script
-\p{slatex} to a
-suitable place in your \p{PATH}, e.g., your {bin} or
-the system {bin} directory. Note that
-\p{slatex} sets
-\scheme{slatex::*texinputs*}. If you're making the same
-shell script available to multiple users, you should
-change the line
-
-\schemedisplay
-(set! slatex::*texinputs* "...")
-\endschemedisplay
-to
-\schemedisplay
-(set! slatex::*texinputs*
- (getenv "TEXINPUTS"))
-\endschemedisplay
-or some other dialect-dependent way of obtaining the
-\p{TEXINPUTS} environment variable.
-\slatexdisable{enableslatex}
-
-4. Run \p{slatex} on \p{slatxdoc.tex} (this
-file!) for documentation. (This also serves as a check
-that SLaTeX does indeed work on your machine.) Refer
-to \p{slatxdoc.dvi} when befuddled.
-
-If your dialect did not allow a nice enough shell script, or
-if your platform is a Macintosh, the following provides an
-alternate route to unlocking SLaTeX.
-
-\subsection{Other ways of invoking SLaTeX}
-
-The configuration process creates a shell script for a
-standard invoking mechanism for SLaTeX. The
-script exploits the way your Scheme is called, e.g.,
-matters like whether it accepts \p{echo}'d
-s-expressions (e.g., Chez), whether it loads its first
-command line argument (e.g., SCM), and whether it
-always checks for an ``init'' file (e.g., MIT
-Scheme).
-
-1. If your Scheme doesn't fall into either of these
-categories, you may have to write your own
-shell script or devise some other mechanism.
-
-2. The shell script invokes
-Scheme/\allowbreak Common Lisp. If, however, you are
-already in Scheme/\allowbreak Common Lisp and spend most of the
-time continuously at the Scheme/\allowbreak Common Lisp prompt
-rather than the operating system prompt, you may avoid
-some of the delays inherent in the shell script.
-
-3. If your platform is a Macintosh, no shell script is
-created. The idea mentioned below is your only choice.
-However, it is so easy to use that it may soon become your
-preferred way of invoking SLaTeX, even on Unix or OS/2.
-
-\enableslatex
-The file \p{callsla.scm}, which contains just one
-small procedure named \scheme{call-slatex}, and which
-is created by the configuration process, provides a
-simple calling mechanism from Scheme/Common Lisp, in
-contrast to the operating system command line. You may
-use it as an alternative to the
-\p{slatex} shell script.
-The usage is as follows: load
-\p{callsla.scm} into Scheme/Common Lisp
-
-\schemedisplay
-(load "callsla.scm")
-\endschemedisplay
-and type
-
-\setspecialsymbol{}{\va{$\langle$tex-file$\rangle$}}
-\schemedisplay
-(call-slatex )
-\endschemedisplay
-when you need to call SLaTeX on the (La)TeX file
-\scheme{}. This invokes the SLaTeX preprocessor on
-\scheme{}. If your Scheme has a
-\scheme{system} procedure
-that can call the operating system command line,
-\scheme{call-slatex} will also send your file to TeX or
-LaTeX. If your Scheme does not have such a procedure,
-\scheme{call-slatex} will simply prod you to call TeX
-or LaTeX yourself.
-\slatexdisable{enableslatex}
-
-The outline of the shell script or
-\p{callsla.scm} or of any strategy you devise for
-using SLaTeX should include the following actions:
-
-1. Load the file \p{slatex.scm} (created by the
-configuration process) into Scheme/Common Lisp.
-
-2. \enableslatex
-Set the variable \scheme{slatex::*texinputs*} to the
-path \p{TEXINPUTS} or \p{TEXINPUT} used by
-TeX\f{There is some variation on the name of
-this environment variable. Unix TeXs prefer
-\p{TEXINPUTS} with an \p{S}, while OS/2 and DOS (e.g.,
-Eberhard Mattes's emTeX) favor the 8-letter \p{TEXINPUT} ---
-no \p{S}.}
-to look for
-\slatexdisable{enableslatex}
-\p{\input}
-files.
-
-3. \enableslatex
-Call the procedure
-\scheme{slatex::process-main-tex-file} on the \p{.tex}
-file to be processed.
-\slatexdisable{enableslatex}
-
-4. Call either \p{latex} or \p{tex} on the \p{.tex} file.
-
-\enableslatex
-You may devise your own way of calling
-\scheme{slatex::process-main-tex-file}, provided your
-method makes sure that \p{slatex.scm} has been
-loaded, \scheme{slatex::*texinputs*} set appropriately
-{\it before\/} the call and \p{latex}/\p{tex} is called
-{\it after\/} the call.
-
-Note that if you prefer to stay in Scheme/\allowbreak
-Common Lisp most of the time, it is a good idea to
-pre-load the procedure \scheme{call-slatex}, perhaps
-through an ``init'' file. \scheme{call-slatex} is just
-a small ``call-by-need'' hook to SLaTeX and
-does not take up much resources. (Global name clashes
-between your own code and SLaTeX code won't occur
-unless you use variable names starting with
-``\scheme{slatex::}'') If you made no calls to
-\scheme{call-slatex}, the bigger file \p{slatex.scm}
-is not loaded at all. If you make several calls to
-\scheme{call-slatex},
-\p{slatex.scm} is loaded only once, at the time of
-the first call.
-\slatexdisable{enableslatex}
-
-\subsection{Dialects SLaTeX runs on}
-
-\index{dialects SLaTeX runs on}
-SLaTeX is implemented
-\enableslatex
-in R5RS-compliant~\cite{r5rs} Scheme (macros are not
-needed). The code uses the non-standard procedures
-\scheme{delete-file},
-\scheme{file-exists?} and \scheme{force-output}, but
-a Scheme without these procedures can also run SLaTeX
-(the configuration defines the corresponding
-variables to be dummy procedures, since they are not
-crucial). The distribution comes with code to allow
-SLaTeX to run also on Common Lisp. The files \p{readme} and
-\p{install} contain all the information
-necessary to configure SLaTeX for your system.
-\slatexdisable{enableslatex}
-
-SLaTeX has been tested successfully in the following
-dialects:
-
-1. On Unix: Allegro Common Lisp; Bigloo; Chez Scheme;
-CLISP; Elk; Gambit;
-Gnu Common
-Lisp; Guile;
-Ibuki Common Lisp (1987); MIT C Scheme; Scheme-to-C; SCM;
-STk; UMB Scheme; VSCM.
-
-2. On Windows 95: MzScheme.
-
-3. On OS/2: CLISP; SCM.
-
-4. On MS-DOS: Austin Kyoto Common Lisp; CLISP; MIT C
-Scheme; SCM.
-%PCScheme/Geneva
-
-5. On Mac OS: Macintosh Common Lisp 3.0.
-
-If your Scheme is not mentioned here but {\it is\/}
-R5RS-compliant, please send a note to the author at
-\p{dorai@cs.rice.edu} describing your Scheme's
-procedures for deleting files, testing file existence,
-and forcing output, if any, and the configuration file
-will be enhanced to accommodate the new dialect.
-
-Bug reports are most welcome --- send to
-\p{dorai@cs.rice.edu}.
-\index{bug reports}
-
-\section{References}
-
-\bibliographystyle{plain}
-
-\iffileexists{slatxdoc.bib}
-{\bibliography{slatxdoc}}
-{\bibliography{bigbib}}
-
-\section{Index}
-
-%\begincolumns2
-\inputindex
-%\endcolumns
-
-\bye
diff --git a/collects/slatex/slatex-code/structs.scm b/collects/slatex/slatex-code/structs.scm
deleted file mode 100644
index d947a69c..00000000
--- a/collects/slatex/slatex-code/structs.scm
+++ /dev/null
@@ -1,107 +0,0 @@
-;structs.scm
-;SLaTeX v. 2.3
-;Structures used by SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-within slatex
-
- (defvar slatex::*max-line-length* 200)
-
- (defenum
- ;possible values of =space
- slatex::&void-space
- slatex::&plain-space
- slatex::&init-space
- slatex::&init-plain-space
- slatex::&paren-space
- slatex::&bracket-space
- slatex::"e-space
- slatex::&inner-space)
-
- (defenum
- ;possible values of =tab
- slatex::&void-tab
- slatex::&set-tab
- slatex::&move-tab
- slatex::&tabbed-crg-ret
- slatex::&plain-crg-ret)
-
- (defenum
- ;possible values of =notab
- slatex::&void-notab
- slatex::&begin-comment
- slatex::&mid-comment
- slatex::&begin-string
- slatex::&mid-string
- slatex::&end-string
- slatex::&begin-math
- slatex::&mid-math
- slatex::&end-math)
-
- (defrecord slatex::make-raw-line
- slatex::=rtedge
- slatex::=char
- slatex::=space
- slatex::=tab
- slatex::=notab)
-
- (define slatex::make-line
- (lambda ()
- ;makes a "line" record
- (let ((l (make-raw-line)))
- (setf (of l =rtedge) 0)
- (setf (of l =char) (make-string *max-line-length* #\space))
- (setf (of l =space) (make-string *max-line-length* &void-space))
- (setf (of l =tab) (make-string *max-line-length* &void-tab))
- (setf (of l =notab) (make-string *max-line-length* &void-notab))
- l)))
-
- (defvar slatex::*line1* (make-line))
- (defvar slatex::*line2* (make-line))
-
- (defrecord slatex::make-case-frame
- slatex::=in-ctag-tkn
- slatex::=in-bktd-ctag-exp
- slatex::=in-case-exp)
-
- (defrecord slatex::make-bq-frame
- slatex::=in-comma slatex::=in-bq-tkn slatex::=in-bktd-bq-exp)
-
- (defvar slatex::*latex-paragraph-mode?* 'fwd1)
-
- (defvar slatex::*intext?* 'fwd2)
- (defvar slatex::*code-env-spec* "UNDEFINED")
-
- (defvar slatex::*in* 'fwd3)
- (defvar slatex::*out* 'fwd4)
-
- (defvar slatex::*in-qtd-tkn* 'fwd5)
- (defvar slatex::*in-bktd-qtd-exp* 'fwd6)
-
- (defvar slatex::*in-mac-tkn* 'fwd7)
- (defvar slatex::*in-bktd-mac-exp* 'fwd8)
-
- (defvar slatex::*case-stack* 'fwd9)
-
- (defvar slatex::*bq-stack* 'fwd10)
-
- (define slatex::display-space
- (lambda (s p)
- (cond ((eq? s &plain-space) (display #\space p))
- ((eq? s &init-plain-space) (display #\space p))
- ((eq? s &init-space) (display "\\HL " p))
- ((eq? s &paren-space) (display "\\PRN " p))
- ((eq? s &bracket-space) (display "\\BKT " p))
- ((eq? s "e-space) (display "\\QUO " p))
- ((eq? s &inner-space) (display "\\ " p)))))
-
- (define slatex::display-tab
- (lambda (tab p)
- (cond ((eq? tab &set-tab) (display "\\=" p))
- ((eq? tab &move-tab) (display "\\>" p)))))
-
- (define slatex::display-notab
- (lambda (notab p)
- (cond ((eq? notab &begin-string) (display "\\dt{" p))
- ((eq? notab &end-string) (display "}" p)))))
- )
diff --git a/collects/slatex/slatex-code/tex2html.css b/collects/slatex/slatex-code/tex2html.css
deleted file mode 100644
index c78da2ae..00000000
--- a/collects/slatex/slatex-code/tex2html.css
+++ /dev/null
@@ -1,68 +0,0 @@
-body {
- color: black;
- background-color: white;
- margin-top: 2em;
- margin-left: 8%;
-}
-
-.chapterheading {
-/*color: #cc0000;*/
-color: purple;
-/*font-family: verdana, serif;*/
-font-size: 70%}
-
-.subject {
-/*margin-left: 0%;*/
-color: #cc0000;
-/*font-family: verdana, serif;*/
-/*color: purple;*/
-/* text-align: center;*/
-}
-
-h1,h2,h3,h4,h5,h6 {
- color: navy;
-/* font-family: verdana, serif;*/
- margin-left: -4%;
- margin-top: .5em
-}
-
-.bibitem {color: purple}
-
-.verbatim {color: darkgreen}
-
-/*code {
-font-weight: bold
-}*/
-
-.scheme .punctuation {color: brown}
-
-/*.scheme .punctuation code {color: brown;
-font-weight: normal}*/
-
-.scheme .keyword {color: #cc0000;
- font-weight: bold;
-}
-
-.scheme .variable {color: navy;
-/* font-style: italic; */
-}
-
-.scheme .global {color: purple}
-.scheme .selfeval {color: green}
-.scheme .comment {
-/*font-family: serif;*/
-color: teal}
-
-.takenotice {color: red}
-
-.smallprint {
- color: gray;
- font-size: 50%;
-}
-
-.smallprint hr {
- text-align: left;
- width: 40%;
-}
-
-.footnote {font-weight: bold}
diff --git a/collects/slatex/slatex-code/tex2html.tex b/collects/slatex/slatex-code/tex2html.tex
deleted file mode 100644
index 56471fe0..00000000
--- a/collects/slatex/slatex-code/tex2html.tex
+++ /dev/null
@@ -1,810 +0,0 @@
-% tex2html.tex
-% Dorai Sitaram, Apr 1997
-
-\message{version 3p}
-
-% TeX files using these macros
-% can be converted by the program
-% tex2html into HTML
-
-\let\texonly\relax
-\let\endtexonly\relax
-
-\texonly
-
-\ifx\slatexignorecurrentfile\UNDEFINED\relax\fi
-
-\def\defcsactive#1{\defnumactive{`#1}}
-
-\def\defnumactive#1#2{\catcode#1\active
- \begingroup\lccode`\~#1%
- \lowercase{\endgroup\def~{#2}}}
-
-% gobblegobblegobble
-
-\def\gobblegroup{\bgroup
- \def\do##1{\catcode`##1=9 }\dospecials
- \catcode`\{1 \catcode`\}2 \catcode`\^^M=9
- \gobblegroupI}
-
-\def\gobblegroupI#1{\egroup}
-
-\def\gobbleencl{\bgroup
- \def\do##1{\catcode`##1=12 }\dospecials
- \catcode`\{1 \catcode`\}2 \catcode`\^^M=9
- \futurelet\gobbleenclnext\gobbleenclI}
-
-\def\gobbleenclI{\ifx\gobbleenclnext\bgroup
- \let\gobbleenclnext\gobblegroupI
- \else\let\gobbleenclnext\gobbleenclII\fi
- \gobbleenclnext}
-
-\def\gobbleenclII#1{%
- \def\gobbleenclIII##1#1{\egroup}%
- \gobbleenclIII}
-
-% \verb
-% Usage: \verb{...lines...} or \verb|...lines...|
-% In the former case, | can be used as escape char within
-% the verbatim text
-
-\let\verbhook\relax
-
-\def\verbfont{\tt}
-%\hyphenchar\tentt-1
-
-\def\verbsetup{\frenchspacing
- \def\do##1{\catcode`##1=12 }\dospecials
- \catcode`\|=12 % needed?
- \verbfont}
-
-% The current font is cmtt iff fontdimen3 = 0 _and_
-% fontdimen7 != 0
-
-\def\checkifusingcmtt{\let\usingcmtt n%
- \ifdim\the\fontdimen3\the\font=0.0pt
- \ifdim\the\fontdimen7\the\font=0.0pt
- \else\let\usingcmtt y\fi\fi}
-
-% In a nonmonospaced font, - followed by a letter
-% is a regular hyphen. Followed by anything else, it is a
-% typewriter hyphen.
-
-\def\variablelengthhyphen{\futurelet\variablelengthhyphenI
- \variablelengthhyphenII}
-
-\def\variablelengthhyphenII{\ifcat\noexpand\variablelengthhyphenI
- a-\else{\tt\char`\-}\fi}
-
-\def\verbavoidligs{% avoid ligatures
- \defcsactive\`{\relax\lq}%
- \defcsactive\ {\leavevmode\ }%
- \defcsactive\^^I{\leavevmode\ \ \ \ \ \ \ \ }%
- \defcsactive\^^M{\leavevmode\endgraf}%
- \checkifusingcmtt
- \ifx\usingcmtt n%
- \defcsactive\<{\relax\char`\<}%
- \defcsactive\>{\relax\char`\>}%
- \defcsactive\-{\variablelengthhyphen}%
- \fi}
-
-\def\verbinsertskip{%
- \let\firstpar y%
- \defcsactive\^^M{\ifx\firstpar y%
- \let\firstpar n%
- \verbdisplayskip
- \aftergroup\verbdisplayskip
- \else\leavevmode\fi\endgraf}%
- \verbhook}
-
-\def\verb{\begingroup
- \verbsetup\verbI}
-
-\newcount\verbbracebalancecount
-
-\def\verblbrace{\char`\{}
-\def\verbrbrace{\char`\}}
-
-\def\verbescapechar#1{%
- \def\escapifyverbescapechar{\catcode`#1=0 }}
-
-\verbescapechar\|
-
-{\catcode`\[1 \catcode`\]2
-\catcode`\{12 \catcode`\}12
-\gdef\verbI#1[\verbavoidligs
- \verbinsertskip\verbhook
- \if#1{\escapifyverbescapechar
- \def\{[\char`\{]%
- \def\}[\char`\}]%
- \def\|[\char`\|]%
- \verbbracebalancecount0
- \defcsactive\{[\advance\verbbracebalancecount by 1
- \verblbrace]%
- \defcsactive\}[\ifnum\verbbracebalancecount=0
- \let\verbrbracenext\endgroup\else
- \advance\verbbracebalancecount by -1
- \let\verbrbracenext\verbrbrace\fi
- \verbrbracenext]\else
- \defcsactive#1[\endgroup]\fi
- \verbII
-]]
-
-\def\verbII{\futurelet\verbIInext\verbIII}
-
-{\catcode`\^^M\active%
-\gdef\verbIII{\ifx\verbIInext^^M\else%
- \defcsactive\^^M{\leavevmode\ }\fi}}
-
-\let\verbdisplayskip\medbreak
-
-% \verbinput FILENAME
-% displays contents of file FILENAME verbatim.
-
-\def\verbinput#1 {{\verbsetup\verbavoidligs\verbhook
- \input #1 }}
-
-\def\verbfilename#1 {\relax}
-\let\verbwrite\gobbleencl
-
-% \path is like \verb except that its argument
-% can break across lines at `.' and `/'.
-
-\def\path{\begingroup\verbsetup
- \pathfont
- \defcsactive\.{\discretionary{\char`\.}{}{\char`\.}}%
- \defcsactive\/{\discretionary{\char`\/}{}{\char`\/}}%
- \verbI}
-
-\let\pathfont\relax
-
-% \url{URL} becomes
-% URL in HTML, and
-% URL in DVI.
-
-% A-VERY-VERY-LONG-URL in a .bib file
-% could be split by BibTeX
-% across a linebreak, with % before the newline.
-% To accommodate this, %-followed-by-newline will
-% be ignored in the URL argument of \url and related
-% macros.
-
-\def\url{\bgroup\urlsetup\let\dummy=}
-
-\def\urlsetup{\verbsetup\urlfont\verbavoidligs
- \catcode`\{1 \catcode`\}2
- \defcsactive\%{\urlpacifybibtex}%
- \defcsactive\ {\relax}%
- \defcsactive\^^M{\relax}%
- \defcsactive\.{\discretionary{\char`\.}{}{\char`\.}}%
- \defcsactive\/{\discretionary{\char`\/}{}{\char`\/}}%
- \defcsactive\`{\relax\lq}}
-
-\let\urlfont\relax
-
-\def\urlpacifybibtex{\futurelet\urlpacifybibtexnext\urlpacifybibtexI}
-
-\def\urlpacifybibtexI{\ifx\urlpacifybibtexnext^^M%
- \else\%\fi}
-
-% \mailto{ADDRESS} becomes
-% ADDRESS in HTML, and
-% ADDRESS in DVI.
-
-\let\mailto\url
-
-% \urlh{URL}{TEXT} becomes
-% TEXT in HTML, and
-% TEXT in DVI.
-
-% If TEXT contains \\, the part after \\ appears in
-% the DVI only. If, further, this part contains \1,
-% the latter is replaced by a fixed-width representation
-% of URL.
-
-\def\urlh{\bgroup\urlsetup
- \afterassignment\urlhI
- \gdef\urlII}
-
-\def\urlhI{\egroup
- \bgroup
- \let\\\relax
- \def\1{{\urlsetup\urlII}}%
- \let\dummy=}
-
-% \urlhd{URL}{HTML-TEXT}{DVI-TEXT} becomes
-% HTML-TEXT in HTML, and
-% DVI-TEXT in DVI
-
-\def\urlhd{\bgroup
- \def\do##1{\catcode`##1=12 }\dospecials
- \catcode`\{1 \catcode`\}2
- \urlhdI}
-
-\def\urlhdI#1#2{\egroup}
-
-%
-
-\let\ignorenextinputtimestamp\relax
-
-%
-
-\let\htmlonly\iffalse
-\let\endhtmlonly\fi
-
-\def\rawhtml{\errmessage{Can't occur except inside
- \string\htmlonly}}
-\def\endrawhtml{\errmessage{Can't occur except inside
- \string\htmlonly}}
-
-\let\htmlheadonly\iffalse
-\let\endhtmlheadonly\fi
-
-\let\htmlstylesheet\gobblegroup
-
-% color (deprecated)
-
-\let\rgb\gobblegroup
-\let\color\gobblegroup
-
-% Scheme
-
-\let\scm\verb
-\let\scminput\verbatiminput
-
-\def\scmfilename#1 {\relax}
-\let\scmdribble\scm
-\let\scmwrite\gobbleencl
-
-\let\scmkeyword\gobblegroup
-\let\setkeyword\gobblegroup % SLaTeX compat
-
-\ifx\slatexversion\UNDEFINED
-\def\schemedisplay{\begingroup
- \verbsetup\verbavoidligs
- \verbinsertskip
- \schemedisplayI}%
-\fi
-
-{\catcode`\|0 |catcode`|\12
- |long|gdef|schemedisplayI#1\endschemedisplay{%
- #1|endgroup}}
-
-% GIFs
-
-\let\gifdef\def
-
-\def\gifpreamble{\let\magnificationoutsidegifpreamble\magnification
- \def\magnification{\count255=}}
-
-\def\endgifpreamble{\let\magnification\magnificationoutsidegifpreamble}
-
-\let\htmlgif\relax
-\let\endhtmlgif\relax
-
-% Cheap count registers: doesn't use up TeX's limited
-% number of real count registers.
-
-% A cheap count register is simply a macro that expands to the
-% contents of the count register. Thus \def\kount{0} defines a
-% count register \kount that currently contains 0.
-
-% \advancecheapcount\kount num increments \kount by n.
-% \globaladvancecheapcount increments the global \kount.
-% If \kount is not defined, the \[global]advancecheapcount
-% macros define it to be 0 before proceeding with the
-% incrementation.
-
-\def\newcheapcount#1{\edef#1{0}}
-
-\def\advancecheapcounthelper#1#2#3{%
- \ifx#2\UNDEFINED
- #1\edef#2{0}\fi
- \edef\setcountCCLV{\count255=#2 }%
- \setcountCCLV
- \advance\count255 by #3
- #1\edef#2{\the\count255 }}
-
-\def\advancecheapcount{\advancecheapcounthelper\relax}
-\def\globaladvancecheapcount{\advancecheapcounthelper\global}
-
-% title
-
-\let\title\gobblegroup
-
-\def\subject#1{\centerline{\bf#1}\medskip}
-
-% plain's \beginsection splits pages too easily
-
-%\def\beginsection#1\par{\sectionwithnumber{1}{}{#1}}
-
-\def\beginsection{\vskip-\lastskip
- \bigbreak\noindent
- \bgroup\bf
- \let\par\sectionafterskip}
-
-\def\beginsectionstar*{\beginsection}
-
-% plain's \{left,center,right}line can't handle catcode change
-% within their argument
-
-\def\leftline{\line\bgroup\bgroup
- \aftergroup\leftlinefinish
- \let\dummy=}
-
-\def\leftlinefinish{\hss\egroup}
-
-\def\centerline{\line\bgroup\bgroup
- \aftergroup\leftlinefinish
- \hss\let\dummy=}
-
-\def\rightline{\line\bgroup\hss\let\dummy=}
-
-%
-
-\let\strike\fiverm % can be much better!
-
-%
-
-\let\htmlpagebreak\relax
-
-\let\htmlpagelabel\gobblegroup
-
-\def\htmlpageref{\errmessage{Can't occur except inside
- \string\htmlonly}}
-
-% Miscellaneous stuff
-
-\def\hr{$$\hbox{---}$$}
-\def\hr{\medbreak\centerline{---}\medbreak}
-%\def\hr{\par\centerline{$*$}\par}
-%\def\hr{\smallskip\line{\leaders\hbox{~.~}\hfill}\smallskip}
-
-%Commonplace math that doesn't require GIF. (Avoiding $
-%here because $ triggers GIF generation.)
-
-\def\mathg{$\bgroup\aftergroup\closemathg\let\dummy=}
-\def\closemathg{$}
-
-\def\mathdg{$$\bgroup\aftergroup\closemathdg\let\dummy=}
-\def\closemathdg{$$}
-
-\def\frac#1/#2{{#1\over#2}}
-
-%
-
-% Backward compatible stuff
-
-\let\p\verb
-\let\verbatim\verb
-\let\verbatimfile\verbinput
-\let\setverbatimescapechar\verbescapechar
-\let\scmp\scm
-\let\scmverbatim\scm
-\let\scmverbatimfile\scminput
-\let\scmfile\scmdribble
-\let\scmfileonly\scmwrite
-\let\href\urlhd
-
-\endtexonly
-
-\ifx\newenvironment\UNDEFINED\else
-% we're in LaTeX and so won't load rest of file
-\endinput\fi
-
-\texonly
-
-\input btxmac
-
-% Sections
-
-\def\tracksectionchangeatlevel#1{%
- \expandafter\let\expandafter\thiscount\csname
- sectionnumber#1\endcsname
- \ifx\thiscount\relax
- \expandafter\edef\csname sectionnumber#1\endcsname{0}%
- \fi
- \expandafter\advancecheapcount
- \csname sectionnumber#1\endcsname 1%
- \ifx\doingappendix0%
- \edef\recentlabel{\csname sectionnumber1\endcsname}%
- \else
- %\count255=\expandafter\csname sectionnumber1\endcsname
- \edef\recentlabel{\char\csname sectionnumber1\endcsname}%
- \fi
- \count255=0
- \loop
- \advance\count255 by 1
- \ifnum\count255=1
- \else\edef\recentlabel{\recentlabel.\csname
- sectionnumber\the\count255\endcsname}\fi
- \ifnum\count255<#1%
- \repeat
- \loop
- \advance\count255 by 1
- \expandafter\let\expandafter\nextcount\csname
- sectionnumber\the\count255\endcsname
- \ifx\nextcount\relax
- \let\continue0%
- \else
- \expandafter\edef\csname
- sectionnumber\the\count255\endcsname{0}%
- \let\continue1\fi
- \ifx\continue1%
- \repeat}
-
-% Vanilla section-header look -- change this macro for new look
-
-\def\sectionstar#1*#2{\vskip-\lastskip
- % #1=depth #2=heading-text
- \tocactivate
- {\let\folio0%
- \edef\temp{\write\tocout{\string\tocentry{#1}{}{#2}{\folio}}}%
- \temp}%
- \goodbreak
- \vskip1.5\bigskipamount
- \noindent
- \hbox{\bf\vtop{\hsize=.7\hsize
- \pretolerance 10000
- \noindent\raggedright#2}}%
- \bgroup\let\par\sectionafterskip}
-
-\def\sectionwithnumber#1#2#3{\vskip-\lastskip
- % #1=depth #2=dotted-number #3=heading-text
- \tocactivate
- {\let\folio0%
- \edef\temp{\write\tocout{\string\tocentry{#1}{#2}{#3}{\folio}}}%
- \temp}
- \goodbreak
- \vskip1.5\bigskipamount
- \noindent
- \hbox{\bf#2\vtop{\hsize=.7\hsize
- \pretolerance 10000
- \noindent\raggedright#3}}%
- \bgroup\let\par\sectionafterskip}
-
-% \edef\temp{\write\tocout{\string\hskip#1\space em\string\relax\space #2%
-% \string\vtop{\string\hsize=.7\string\hsize
-% \string\noindent\string\raggedright\space #3}\string\par}}\temp
-
-\def\sectionafterskip{\egroup\nobreak\medskip\noindent}
-
-\def\sectiond#1{\count255=#1%
- \ifx\usingchapters1\advance\count255 by 1 \fi
- \edef\sectiondlvl{\the\count255 }%
- \futurelet\sectionnextchar\sectiondispatch}
-
-\def\sectiondispatch{\ifx\sectionnextchar*%
- \def\sectioncontinue{\sectionstar{\sectiondlvl}}\else
- \tracksectionchangeatlevel{\sectiondlvl}
- \def\sectioncontinue{\sectionwithnumber{\sectiondlvl}%
- {\recentlabel\enspace}}\fi
- \sectioncontinue}
-
-\def\section{\sectiond1}
-\def\subsection{\sectiond2}
-\def\subsubsection{\sectiond3}
-\def\paragraph{\sectiond4}
-\def\subparagraph{\sectiond5}
-
-\let\usingchapters0
-
-\def\chapter{\global\let\usingchapters1%
-\futurelet\chapternextchar\chapterdispatch}
-
-\def\chapterdispatch{\ifx\chapternextchar*%
- \let\chaptercontinue\chapterstar\else
- \tracksectionchangeatlevel{1}%
- \def\chaptercontinue{\chapterhelp{\recentlabel}}\fi
- \chaptercontinue}
-
-\def\chapterstar*#1{%
- % #1=heading-text
- \tocactivate
- {\let\folio0%
- \edef\temp{\write\tocout{\string\tocentry{1}{}{#1}{\folio}}}%
- \temp}%
- \vfill\eject
- \null\vskip3em
- \noindent
- \hbox{\bf\vtop{\hsize=.7\hsize
- \pretolerance 10000
- \noindent\raggedright#1}}%
- \bgroup\let\par\chapterafterskip}
-
-\def\chapterhelp#1#2{%
- % #1=number #2=heading-text
- \tocactivate
- {\let\folio0%
- \edef\temp{\write\tocout{\string\tocentry{1}{#1\enspace}{#2}{\folio}}}%
- \temp}%
- \vfill\eject
- \null\vskip3em
- \noindent
- \ifx\doingappendix0%
- \hbox{\bf Chapter #1}\else
- \hbox{\bf Appendix #1}\fi
- \vskip 1em
- \noindent
- \hbox{\bf\vtop{\hsize=.7\hsize
- \pretolerance 10000
- \noindent\raggedright#2}}%
- \bgroup\let\par\chapterafterskip}
-
-\def\chapterafterskip{\egroup\nobreak\vskip3em \noindent}
-
-\let\doingappendix=0
-\def\appendix{\let\doingappendix=1%
- \count255=`\A%
- \advance\count255 by -1
- \expandafter\edef\csname
- sectionnumber1\endcsname{\the\count255 }}
-
-% toc
-
-\let\tocactive0
-
-\def\tocoutensure{\ifx\tocout\UNDEFINED
- \csname newwrite\endcsname\tocout\fi}
-
-\def\tocactivate{\ifx\tocactive0%
- \tocoutensure
- \tocsave
- \openout\tocout \jobname.toc
- \global\let\tocactive1\fi}
-
-\def\tocspecials{\def\do##1{\catcode`##1=12 }\dospecials}
-
-\def\tocsave{\openin0=\jobname.toc
- \ifeof0 \closein0 \else
- \openout\tocout Z-T-\jobname.tex
- \let\tocsaved 0%
- \loop
- \ifeof0 \closeout\tocout
- \let\tocsaved1%
- \else{\tocspecials
- \read0 to \tocsaveline
- \edef\temp{\write\tocout{\tocsaveline}}\temp}%
- \fi
- \ifx\tocsaved0%
- \repeat
- \fi
- \closein0 }
-
-\def\tocentry#1#2#3#4{%
- %#1=depth #2=secnum #3=sectitle #4=secpage
- \ifnum#1=1\medbreak\begingroup\bf
- \else\begingroup\fi
- \noindent\hskip #1 em
- #2%
- \vtop{\hsize=.7\hsize
- \raggedright
- \noindent {#3},
- #4\strut}\endgroup\par}
-
-\def\tableofcontents{%
- \ifx\tocactive0%
- \openin0 \jobname.toc
- \ifeof0 \closein0 \else
- \closein0 \input \jobname.toc
- \fi
- \tocoutensure
- \openout\tocout \jobname.toc
- \global\let\tocactive1%
- \else
- \input Z-T-\jobname.tex
- \fi}
-
-% Cross-references
-
-% \openxrefout loads all the TAG-VALUE associations in
-% \jobname.xrf and then opens \jobname.xrf as an
-% output channel that \tag can use
-
-\def\openxrefout{\openin0=\jobname.xrf
- \ifeof0 \closein0 \else
- {\catcode`\\0 \input \jobname.xrf }\fi
- \csname newwrite\endcsname\xrefout
- \openout\xrefout=\jobname.xrf }
-
-% \tag{TAG}{VALUE} associates TAG with VALUE.
-% Hereafter, \ref{TAG} will output VALUE.
-% \tag stores its associations in \xrefout.
-% \tag calls \openxrefout if \jobname.xrf hasn't
-% already been opened
-
-\def\tag#1#2{\ifx\xrefout\UNDEFINED\openxrefout\fi
- {\let\folio0%
- \edef\temp{%
- \write\xrefout{\string\expandafter\string\gdef
- \string\csname\space XREF#1\string\endcsname
- {#2}\string\relax}}%
- \temp}}
-
-% \ref{TAG} outputs VALUE, assuming \tag put such
-% an association into \xrefout. \ref calls
-% \openxrefout if \jobname.xrf hasn't already
-% been opened
-
-\def\ref#1{\ifx\xrefout\UNDEFINED\openxrefout\fi
- \expandafter\ifx\csname XREF#1\endcsname\relax
- %\message or \write16 ?
- \message{\the\inputlineno: Unresolved label `#1'.}?\else
- \csname XREF#1\endcsname\fi}
-
-% \label, as in LaTeX
-
-\let\recentlabel\relax
-
-% The sectioning commands
-% define \recentlabel so a subsequent call to \label will pick up the
-% right label.
-
-\def\label#1{\tag{#1}{\recentlabel}%
- \tag{PAGE#1}{\folio}}
-
-% \pageref, as in LaTeX
-
-\def\pageref#1{\ref{PAGE#1}}
-
-% Numbered footnotes
-
-\newcheapcount\footnotenumber
-
-\ifx\plainfootnote\UNDEFINED
- \let\plainfootnote\footnote
-\fi
-
-\def\numfootnote{\globaladvancecheapcount\footnotenumber 1%
- \bgroup\csname footnotehook\endcsname
- \plainfootnote{$^{\footnotenumber}$}\bgroup
- \edef\recentlabel{\footnotenumber}%
- \aftergroup\egroup
- \let\dummy=}
-
-%
-
-\def\iffileexists#1#2#3{%
- \openin0 #1
- \ifeof0 \closein0
- #3%
- \else \closein0
- #2\fi}
-
-% \ifx\bibitem\UNDEFINED
-% \newcheapcount\bibitemnumber
-
-% \def\bibitem{\par\globaladvancecheapcount\bibitemnumber 1%
-% \edef\recentlabel{\bibitemnumber}%
-% [\bibitemnumber]\label}
-% \fi
-
-%
-
-% \def\begin#1{\begingroup
-% \def\end##1{\csname end#1\endcsname\endgroup}%
-% \def\envname{#1}%
-% \def\envnameI{thebibliography}%
-% \csname #1\endcsname
-% \ifx\envname\envnameI\let\next\gobblegroup
-% \else\let\next\relax\fi\next}
-
-% \def\begin#1{\begingroup
-% \let\end\endbegin
-% \csname #1\endcsname}
-
-% \def\endbegin#1{\csname end#1\endcsname\endgroup}
-
-% Index generation
-%
-% Your TeX source contains \index{NAME} to
-% signal that NAME should be included in the index.
-% Check the makeindex documentation to see the various
-% ways NAME can be specified, e.g., for subitems, for
-% explicitly specifying the alphabetization for a name
-% involving TeX control sequences, etc.
-%
-% The first run of TeX will create \jobname.idx.
-% makeindex on \jobname[.idx] will create the sorted
-% index \jobname.ind.
-%
-% Use \inputindex (without arguments) to include this
-% sorted index, typically somewhere to the end of your
-% document. This will produce the items and subitems.
-% It won't produce a section heading however -- you
-% will have to typeset one yourself.
-%
-% Use \printindex instead of \inputindex if you want
-% the section heading ``Index'' automatically generated.
-
-\def\sanitizeidxletters{\def\do##1{\catcode`##1=11 }%
- \do\\\do\$\do\&\do\#\do\^\do\_\do\%\do\~%
- \do\@\do\"\do\!\do\|\do\-\do\ \do\'}
-
-\def\index{%\unskip
- \ifx\indexout\UNDEFINED
- \csname newwrite\endcsname\indexout
- \openout\indexout \jobname.idx\fi
- \begingroup
- \sanitizeidxletters
- \indexI}
-
-\def\indexI#1{\endgroup
- \write\indexout{\string\indexentry{#1}{\folio}}%
- \ignorespaces}
-
-% The following index style indents subitems on a
-% separate lines
-
-\def\theindex{\begingroup
- \parskip0pt \parindent0pt
- \def\indexitem##1{\par\hangindent30pt \hangafter1
- \hskip ##1 }%
- \def\item{\indexitem{0em}}%
- \def\subitem{\indexitem{2em}}%
- \def\subsubitem{\indexitem{4em}}%
- \let\indexspace\medskip}
-
-\def\endtheindex{\endgroup}
-
-% \packindex declares that subitems be bundled into one
-% semicolon-separated paragraph
-
-\def\packindex{%
- \def\theindex{\begingroup
- \parskip0pt \parindent0pt
- \def\item{\par\hangindent20pt \hangafter1 }%
- \def\subitem{\unskip; }%
- \def\subsubitem{\unskip; }%
- \let\indexspace\medskip}}
-
-\def\inputindex{%
- \openin0 \jobname.ind
- \ifeof0 \closein0
- \message{\jobname.ind missing.}%
- \else\closein0
- \begingroup
- \def\begin##1{\csname##1\endcsname}%
- \def\end##1{\csname end##1\endcsname}%
- \input\jobname.ind
- \endgroup\fi}
-
-\def\printindex{\csname beginsection\endcsname Index\par
- \inputindex}
-
-%
-
-\def\italiccorrection{\futurelet\italiccorrectionI
- \italiccorrectionII}
-
-\def\italiccorrectionII{%
- \if\noexpand\italiccorrectionI,\else
- \if\noexpand\italiccorrectionI.\else
- \/\fi\fi}
-
-\def\em{\it\ifmmode\else\aftergroup\italiccorrection\fi}
-
-%\def\emph{\bgroup\it
-% \ifmmode\else\aftergroup\italiccorrection\fi
-% \let\dummy=}
-
-\def\itemize{\par\begingroup
- \advance\leftskip 1.5em
- \smallbreak
- \def\item{\smallbreak$\bullet$\enspace\ignorespaces}}
-
-\def\enditemize{\smallbreak\smallbreak\endgroup\par}
-
-\def\enumerate{\par\begingroup
- \newcheapcount\enumeratenumber
- \advance\leftskip 1.5em
- \smallbreak
- \def\item{\smallbreak
- \advancecheapcount\enumeratenumber1%
- {\bf \enumeratenumber.}\enspace\ignorespaces}}
-
-\def\endenumerate{\smallbreak\smallbreak\endgroup\par}
-
-\endtexonly
-
-% end of file
diff --git a/collects/slatex/slatex-code/texread.scm b/collects/slatex/slatex-code/texread.scm
deleted file mode 100644
index c46d3fcb..00000000
--- a/collects/slatex/slatex-code/texread.scm
+++ /dev/null
@@ -1,229 +0,0 @@
-;texread.scm
-;SLaTeX v. 2.3
-;Various token-readers used on TeX files by SLaTeX
-;(c) Dorai Sitaram, Rice U., 1991, 1994
-
-(eval-within slatex
-
- (define slatex::eat-till-newline
- (lambda (in)
- ;skip all characters from port in till newline inclusive or eof
- (let loop ()
- (let ((c (read-char in)))
- (cond ((eof-object? c) 'done)
- ((char=? c #\newline) 'done)
- (else (loop)))))))
-
- (define slatex::read-ctrl-seq
- (lambda (in)
- ;assuming we've just read a backslash, read the remaining
- ;part of a latex control sequence from port in
- (let ((c (read-char in)))
- (if (eof-object? c)
- (error "read-ctrl-exp: \\ followed by eof."))
- (if (char-alphabetic? c)
- (list->string
- (reverse!
- (let loop ((s (list c)))
- (let ((c (peek-char in)))
- (cond ((eof-object? c) s)
- ((char-alphabetic? c) (read-char in)
- (loop (cons c s)))
- ((char=? c #\%) (eat-till-newline in)
- (loop s))
- (else s))))))
- (string c)))))
-
- (define slatex::eat-tabspace
- (lambda (in)
- ;skip to the next non-space and non-tab character from port in
- (let loop ()
- (let ((c (peek-char in)))
- (cond ((eof-object? c) 'done)
- ((or (char=? c #\space) (char=? c *tab*))
- (read-char in) (loop))
- (else 'done))))))
-
- (define slatex::eat-whitespace
- (lambda (in)
- ;skip to the next whitespace character from port in
- (let loop ()
- (let ((c (peek-char in)))
- (cond ((eof-object? c) 'done)
- ((char-whitespace? c)
- (read-char in) (loop))
- (else 'done))))))
-
- (define slatex::eat-tex-whitespace
- (lambda (in)
- ;skip to the next whitespace character from port in;
- ;skips past latex comments too
- (let loop ()
- (let ((c (peek-char in)))
- (cond ((eof-object? c) 'done)
- ((char-whitespace? c) (read-char in) (loop))
- ((char=? c #\%) (eat-till-newline in))
- (else 'done))))))
-
- (define slatex::chop-off-whitespace
- (lambda (l)
- ;removes leading whitespace from character-list l
- (ormapcdr (lambda (d) (if (char-whitespace? (car d)) #f d)) l)))
-
- (define slatex::read-grouped-latexexp
- (lambda (in)
- ;reads a latex grouped expression from port in
- ;(removes the groups)
- (eat-tex-whitespace in)
- (let ((c (read-char in)))
- (if (eof-object? c) (error "read-grouped-latexexp: ~
-Expected { but found eof."))
- (if (not (char=? c #\{))
- (error "read-grouped-latexexp: ~
-Expected { but found ~a." c))
- (eat-tex-whitespace in)
- (list->string
- (reverse!
- (chop-off-whitespace
- (let loop ((s '()) (nesting 0) (escape? #f))
- (let ((c (read-char in)))
- (if (eof-object? c) (error "read-groupted-latexexp: ~
-Found eof inside {...}."))
- (cond (escape? (loop (cons c s) nesting #f))
- ((char=? c #\\)
- (loop (cons c s) nesting #t))
- ((char=? c #\%) (eat-till-newline in)
- (loop s nesting #f))
- ((char=? c #\{)
- (loop (cons c s) (+ nesting 1) #f))
- ((char=? c #\})
- (if (= nesting 0) s
- (loop (cons c s) (- nesting 1) #f)))
- (else
- (loop (cons c s) nesting #f)))))))))))
-
- (define slatex::read-filename
- (let ((filename-delims (list #\{ #\} #\[ #\] #\( #\) #\# #\% #\\ #\,
- #\space *return* #\newline *tab* #\\)))
- (lambda (in)
- ;reads a filename as allowed in latex syntax from port in
- (eat-tex-whitespace in)
- (let ((c (peek-char in)))
- (if (eof-object? c) (error "read-filename: ~
-Expected filename but found eof."))
- (if (char=? c #\{) (read-grouped-latexexp in)
- (list->string
- (reverse!
- (let loop ((s '()) (escape? #f))
- (let ((c (peek-char in)))
- (cond ((eof-object? c)
- (if escape? (error "read-filename: ~
-\\ followed by eof.")
- s))
- (escape? (read-char in)
- (loop (cons c s) #f))
- ((char=? c #\\) (read-char in)
- (loop (cons c s) #t))
- ((memv c filename-delims) s)
- (else (read-char in)
- (loop (cons c s) #f))))))))))))
-
- (define slatex::read-schemeid
- (let ((schemeid-delims (list #\{ #\} #\[ #\] #\( #\)
- #\space *return* #\newline *tab*)))
- (lambda (in)
- ;reads a scheme identifier from port in
- (eat-whitespace in)
- (list->string
- (reverse!
- (let loop ((s '()) (escape? #f))
- (let ((c (peek-char in)))
- (cond ((eof-object? c) s)
- (escape? (read-char in) (loop (cons c s) #f))
- ((char=? c #\\) (read-char in)
- (loop (cons c s) #t))
- ((memv c schemeid-delims) s)
- (else (read-char in) (loop (cons c s) #f))))))))))
-
- (define slatex::read-delimed-commaed-filenames
- (lambda (in lft-delim rt-delim)
- ;reads a filename from port in, assuming it's delimited by
- ;lft- and rt-delims
- (eat-tex-whitespace in)
- (let ((c (read-char in)))
- (if (eof-object? c) (error "read-delimed-commaed-filenames: ~
-Expected filename(s) but found eof."))
- (if (not (char=? c lft-delim))
- (error "read-delimed-commaed-filenames: ~
-Left delimiter ~a not found." lft-delim))
- (let loop ((s '()))
- (eat-tex-whitespace in)
- (let ((c (peek-char in)))
- (if (eof-object? c) (error "read-delimed-commaed-filenames: ~
-Found eof inside filename(s)."))
- (if (char=? c rt-delim)
- (begin (read-char in) (reverse! s))
- (let ((s (cons (read-filename in) s)))
- (eat-tex-whitespace in)
- (let ((c (peek-char in)))
- (if (eof-object? c)
- (error "read-delimed-commaed-filenames: ~
-Found eof inside filename(s)."))
- (cond
- ((char=? c #\,) (read-char in))
- ((char=? c rt-delim) (void))
- (else (error "read-delimed-commaed-filenames: ~
-Bad filename(s) syntax.")))
- (loop s)))))))))
-
- (define slatex::read-grouped-commaed-filenames
- (lambda (in)
- ;read a filename from port in, assuming it's grouped
- (read-delimed-commaed-filenames in #\{ #\})))
-
- (define slatex::read-bktd-commaed-filenames
- (lambda (in)
- ;read a filename from port in, assuming it's bracketed
- (read-delimed-commaed-filenames in #\[ #\])))
-
- (define slatex::read-grouped-schemeids
- (lambda (in)
- ;read a list of scheme identifiers from port in,
- ;assuming they're all grouped
- (eat-tex-whitespace in)
- (let ((c (read-char in)))
- (if (eof-object? c) (error "read-grouped-schemeids: ~
-Expected Scheme identifiers but found eof."))
- (if (not (char=? c #\{)) (error "read-grouped-schemeids: ~
-Expected { but found ~a." c))
- (let loop ((s '()))
- (eat-whitespace in)
- (let ((c (peek-char in)))
- (if (eof-object? c) (error "read-grouped-schemeids:
-Found eof inside Scheme identifiers."))
- (if (char=? c #\})
- (begin (read-char in) (reverse! s))
- (loop (cons (read-schemeid in) s))))))))
-
- (define slatex::eat-delimed-text
- (lambda (in lft-delim rt-delim)
- (eat-tex-whitespace in)
- (let ((c (peek-char in)))
- (if (eof-object? c) 'exit
- (if (char=? c lft-delim)
- (let loop ()
- (let ((c (read-char in)))
- (if (eof-object? c) 'exit
- (if (char=? c rt-delim) 'exit
- (loop))))))))))
-
- (define slatex::eat-bktd-text
- (lambda (in)
- (eat-delimed-text in #\[ #\])))
-
- (define slatex::eat-grouped-text
- (lambda (in)
- (eat-delimed-text in #\{ #\})))
-
- ;(trace read-filename)
- )
\ No newline at end of file
diff --git a/collects/slatex/slatex-code/version b/collects/slatex/slatex-code/version
deleted file mode 100644
index a403bb62..00000000
--- a/collects/slatex/slatex-code/version
+++ /dev/null
@@ -1 +0,0 @@
-2.4w
\ No newline at end of file
diff --git a/collects/slatex/slatex-launcher.scm b/collects/slatex/slatex-launcher.scm
deleted file mode 100644
index c8433d16..00000000
--- a/collects/slatex/slatex-launcher.scm
+++ /dev/null
@@ -1,15 +0,0 @@
-(require-library "slatex.ss" "slatex")
-
-(case (system-type)
- [(macos)
-
- ;; set up drag and drop
- (current-load slatex)
-
- (for-each slatex (vector->list argv))]
- [(windows unix)
- (when (eq? (vector) argv)
- (error 'slatex "expected a file on the command line~n"))
- (parameterize ([error-escape-handler exit])
- (slatex (vector-ref argv 0)))
- (exit)])
diff --git a/collects/slatex/slatex.ss b/collects/slatex/slatex.ss
deleted file mode 100644
index b89a387b..00000000
--- a/collects/slatex/slatex.ss
+++ /dev/null
@@ -1,51 +0,0 @@
-(require-library "file.ss")
-
-(define (filename->latex-filename input-file)
- (cond
- [(file-exists? input-file) input-file]
- [(file-exists? (string-append input-file ".tex"))
- (string-append input-file ".tex")]
- [else
- (error 'filename->latex-filename "~e does not exist" input-file)]))
-
-(define (latex input-file)
- (let ([file (filename->latex-filename (normalize-path input-file))])
- (case (system-type)
- [(macos)
- (system "OTEX")
-
- ;; boy, wouldn't it be great if the "actv" appleevent worked for OTEX?
- ;(send-event "OTEX" "misc" "acvt")
- (let ([oztex-location (build-path (car (filesystem-root-list))
- "Applications"
- "OzTeX"
- "OzTeX")])
- (when (file-exists? oztex-location)
- (with-handlers ([void void]) ;; mzscheme cannot handle result
- (send-event "MACS" "aevt" "odoc" (vector 'file oztex-location)))))
- (send-event "OTEX" "aevt" "odoc" (vector 'file file))]
- [(windows unix) ;; is this also okay for beos?
- (system (format "latex ~a" file))]
- [else
- (error 'latex "do not know how to run latex on ~s" (system-type))])))
-
-(define (slatex filename)
- (slatex/no-latex filename)
- (latex filename))
-
-(define slatex/no-latex
- (let ([ns (make-namespace)])
- (parameterize ([current-namespace ns])
- (require-library "slatexsrc.ss" "slatex")
- (global-defined-value 'slatex::*texinputs* #f)
- (global-defined-value 'slatex::*texinputs-list* #f))
- (lambda (input-file)
- (let* ([fixed-file (filename->latex-filename input-file)]
- [file (normalize-path fixed-file)])
- (let-values ([(base name dir?) (split-path file)])
- (parameterize ([current-namespace ns]
- [current-directory
- (if (string? base)
- base
- (current-directory))])
- (eval `(slatex::process-main-tex-file ,name))))))))
diff --git a/collects/slatex/slatexsrc.ss b/collects/slatex/slatexsrc.ss
deleted file mode 100644
index f85d662b..00000000
--- a/collects/slatex/slatexsrc.ss
+++ /dev/null
@@ -1 +0,0 @@
-(error 'slatexsrc.ss "should only load the compiled version of this file. Run `setup-plt -cl slatex' to generate slatexsrc.zo")
diff --git a/collects/slibinit/doc.txt b/collects/slibinit/doc.txt
deleted file mode 100644
index a65b39c5..00000000
--- a/collects/slibinit/doc.txt
+++ /dev/null
@@ -1,23 +0,0 @@
-
-_Slib_ Initialization File
---------------------------
-
-The "init.ss" file in the _slibinit_ collection is an slib2c5
-initialization file. To configure MzScheme for slib, load:
-
- (require-library "init.ss" "slibinit")
-
-That's enough if the SCHEME_LIBRARY_PATH environment variable is
-defined. Otherwise, the initialization file assumes that slib is
-installed as an "slib" collection (i.e., in an "slib" directory in the
-same location as the "mzlib" directory).
-
-
-The initialization file contains one system-dependent setting:
-`most-positive-fixnum' is bound to a value that is precisely correct
-for 32-bit architectures. The precise value for a 64-bit architcture
-is in the file, but commented out. The only danger in using the 32-bit
-value for a 64-bit architecture is a decrease in performance.
-
-No other changes should be necessary. Send patches to
-scheme@cs.rice.edu.
diff --git a/collects/slibinit/init.ss b/collects/slibinit/init.ss
deleted file mode 100644
index c86bb658..00000000
--- a/collects/slibinit/init.ss
+++ /dev/null
@@ -1,315 +0,0 @@
-; Derived from: -*-scheme-*-
-; "Template.scm" configuration template of *features* for Scheme
-; Copyright (C) 1991, 1992, 1993 Aubrey Jaffer.
-
-; Compatibility file for MzScheme --
-; http://www.cs.rice.edu/CS/PLT/packages/mzscheme/
-; -- and DrScheme --
-; http://www.cs.rice.edu/CS/PLT/packages/drscheme/
-; -- produced by Shriram Krishnamurthi ,
-; Mon Feb 10 12:03:53 CST 1997
-
-(require-library "pretty.ss")
-(unless (memq (system-type) '(unix beos))
- (require-library "date.ss"))
-
-;;; (software-type) should be set to the generic operating system type.
-;;; UNIX, VMS, MACOS, AMIGA and MS-DOS are supported.
-
-(define (software-type)
- (case (system-type)
- [(unix beos) 'UNIX]
- [(windows) 'MS-DOS]
- [(macos) 'MACOS]
- [else (system-type)]))
-
-;;; (scheme-implementation-type) should return the name of the scheme
-;;; implementation loading this file.
-
-(define (scheme-implementation-type) '|MzScheme|)
-
-;;; (scheme-implementation-version) should return a string describing
-;;; the version the scheme implementation loading this file.
-
-(define scheme-implementation-version version)
-
-;;; (implementation-vicinity) should be defined to be the pathname of
-;;; the directory where any auxillary files to your Scheme
-;;; implementation reside.
-
-(define implementation-vicinity
- (let ([path
- (or (getenv "PLTHOME")
- (with-handlers ([void (lambda (x) #f)])
- (let ([p (collection-path "mzlib")])
- (let*-values ([(base name dir?) (split-path p)]
- [(base name dir?) (split-path base)])
- (and (string? base) base))))
- (case (system-type)
- ((unix) "/usr/local/lib/plt")
- ((windows) "C:\\Program Files\\PLT")
- ((macos) "My Disk:plt:")))])
- (lambda () path)))
-
-;;; (library-vicinity) should be defined to be the pathname of the
-;;; directory where files of Scheme library functions reside.
-
-(define library-vicinity
- (let ((library-path
- (or
- ;; Use this getenv if your implementation supports it.
- (getenv "SCHEME_LIBRARY_PATH")
- ;; Use this path if your scheme does not support GETENV
- (with-handlers ([void
- (lambda (x)
- (error 'slib-init
- "can't find SCHEME_LIBRARY_PATH environment variable or \"slib\" collection"))])
- (collection-path "slib")))))
- (lambda () library-path)))
-
-;;; (home-vicinity) should return the vicinity of the user's HOME
-;;; directory, the directory which typically contains files which
-;;; customize a computer environment for a user.
-
-(define (home-vicinity)
- (find-system-path 'home-dir))
-
-;;; *FEATURES* should be set to a list of symbols describing features
-;;; of this implementation. Suggestions for features are:
-
-(define *features*
- '(
- source ;can load scheme source files
- ;(slib:load-source "filename")
- compiled ;can load compiled files
- ;(slib:load-compiled "filename")
- rev4-report ;conforms to
-; rev3-report ;conforms to
-; ieee-p1178 ;conforms to
-; sicp ;runs code from Structure and
- ;Interpretation of Computer
- ;Programs by Abelson and Sussman.
- rev4-optional-procedures ;LIST-TAIL, STRING->LIST,
- ;LIST->STRING, STRING-COPY,
- ;STRING-FILL!, LIST->VECTOR,
- ;VECTOR->LIST, and VECTOR-FILL!
-; rev2-procedures ;SUBSTRING-MOVE-LEFT!,
- ;SUBSTRING-MOVE-RIGHT!,
- ;SUBSTRING-FILL!,
- ;STRING-NULL?, APPEND!, 1+,
- ;-1+, , <=?, =?, >?, >=?
- multiarg/and- ;/ and - can take more than 2 args.
- multiarg-apply ;APPLY can take more than 2 args.
- rationalize
- delay ;has DELAY and FORCE
- with-file ;has WITH-INPUT-FROM-FILE and
- ;WITH-OUTPUT-FROM-FILE
- string-port ;has CALL-WITH-INPUT-STRING and
- ;CALL-WITH-OUTPUT-STRING
-; transcript ;TRANSCRIPT-ON and TRANSCRIPT-OFF
- char-ready?
-; macro ;has R4RS high level macros
- defmacro ;has Common Lisp DEFMACRO
- eval ;SLIB:EVAL is single argument eval
-; record ;has user defined data structures
- values ;proposed multiple values
- dynamic-wind ;proposed dynamic-wind
- ieee-floating-point ;conforms to
- full-continuation ;can return multiple times
-; object-hash ;has OBJECT-HASH
-
-; sort
-; queue ;queues
- pretty-print
-; object->string
-; format
-; trace ;has macros: TRACE and UNTRACE
-; compiler ;has (COMPILER)
-; ed ;(ED) is editor
- system ;posix (system )
- getenv ;posix (getenv )
- program-arguments ;returns list of strings (argv)
-; Xwindows ;X support
-; curses ;screen management package
-; termcap ;terminal description package
-; terminfo ;sysV terminal description
- current-time ;returns time in seconds since 1/1/1970
- ))
-
-;;; Compatibility code added by Shriram.
-
-(define-macro defmacro
- (lambda (name params . body)
- `(define-macro ,name
- (lambda ,params
- ,@body))))
-
-(define program-arguments
- (lambda ()
- (vector->list argv)))
-
-(define current-time
- ;; Gives time since 1/1/1970 ...
- ;; ... GMT for Unix, Windows, and BeOS.
- ;; ... local time for MacOS.
- (if (memq (system-type) '(unix beos windows))
- current-seconds
- (let ([zero (find-seconds 0 0 0 1 1 1970)])
- (lambda ()
- (- (current-seconds) zero)))))
-
-;;; Remainder is modifications of existing code in Template.scm.
-
-;;; (OUTPUT-PORT-WIDTH )
-(define (output-port-width . arg) 79)
-
-;;; (OUTPUT-PORT-HEIGHT )
-(define (output-port-height . arg) 24)
-
-;;; (CURRENT-ERROR-PORT)
-;; Already in MzScheme
-
-;;; (TMPNAM) makes a temporary file name.
-(define tmpnam (let ((cntr 100))
- (lambda () (set! cntr (+ 1 cntr))
- (string-append "slib_" (number->string cntr)))))
-
-;;; (FILE-EXISTS? )
-;; Already in MzScheme
-
-;;; (DELETE-FILE )
-;; Already in MzScheme
-
-;;; FORCE-OUTPUT flushes any pending output on optional arg output port
-;;; use this definition if your system doesn't have such a procedure.
-(define force-output flush-output)
-
-;;; CALL-WITH-INPUT-STRING and CALL-WITH-OUTPUT-STRING are the string
-;;; port versions of CALL-WITH-*PUT-FILE.
-
-(define call-with-input-string
- (lambda (string thunk)
- (parameterize ((current-input-port (open-input-string string)))
- (thunk))))
-
-(define call-with-output-string
- (lambda (receiver)
- (let ((sp (open-output-string)))
- (receiver sp)
- (get-output-string sp))))
-
-;;; CHAR-CODE-LIMIT is one greater than the largest integer which can
-;;; be returned by CHAR->INTEGER.
-(define char-code-limit 256)
-
-;;; MOST-POSITIVE-FIXNUM is used in modular.scm
-(define most-positive-fixnum #x3FFFFFFF) ; 30 bits on 32-bit machines
-; (define most-positive-fixnum #x3FFFFFFFFFFFFFFF) ; 62 bits on 64-bit machines
-
-;;; Return argument
-(define (identity x) x)
-
-;;; If your implementation provides eval SLIB:EVAL is single argument
-;;; eval using the top-level (user) environment.
-(define slib:eval eval)
-
-;;; If your implementation provides R4RS macros:
-;(define macro:eval slib:eval)
-;(define macro:load load)
-
-(define gentemp
- (let ((*gensym-counter* -1))
- (lambda ()
- (set! *gensym-counter* (+ *gensym-counter* 1))
- (string->symbol
- (string-append "slib:G" (number->string *gensym-counter*))))))
-
-(define defmacro? macro?)
-
-(define (macroexpand-1 x)
- ;; Slib expects macroexpand-1 to return an `eq?' value if there's nothing
- ;; to expand. MzScheme returns an `equal?' value, instead.
- ;; Of course, using will equal? is bad if the input contains cycles.
- ;; We assume that slib-based code won't try to use MzScheme's graph input
- ;; syntax, since it isn't standard.
- (let ([xx (expand-defmacro-once x)])
- (if (equal? xx x)
- x
- xx)))
-
-(define macroexpand expand-defmacro)
-
-(define base:eval slib:eval)
-(define (defmacro:expand* x) (macroexpand x))
-(define (defmacro:eval x) (base:eval (defmacro:expand* x)))
-
-(define (defmacro:load )
- (slib:eval-load defmacro:eval))
-
-(define (slib:eval-load evl)
- (if (not (file-exists? ))
- (set! (string-append (scheme-file-suffix))))
- (call-with-input-file
- (lambda (port)
- (let ((old-load-pathname *load-pathname*))
- (set! *load-pathname* )
- (do ((o (read port) (read port)))
- ((eof-object? o))
- (evl o))
- (set! *load-pathname* old-load-pathname)))))
-
-;;; define an error procedure for the library
-(define slib:error error)
-
-;;; define these as appropriate for your system.
-(define slib:tab (integer->char 9))
-(define slib:form-feed (integer->char 12))
-
-;;; Support for older versions of Scheme. Not enough code for its own file.
-(define (last-pair l) (if (pair? (cdr l)) (last-pair (cdr l)) l))
-(define t #t)
-(define nil #f)
-
-;;; Define these if your implementation's syntax can support it and if
-;;; they are not already defined.
-
-(define 1+ add1)
-(define -1+ sub1)
-(define 1- -1+)
-
-(define in-vicinity
- (lambda args
- (let loop ([args args])
- (cond
- [(null? (cdr args)) (car args)]
- [(string=? "" (car args)) (loop (cdr args))]
- [else (let ([v (loop (cdr args))])
- (build-path (car args) v))]))))
-
-;;; Define SLIB:EXIT to be the implementation procedure to exit or
-;;; return if exitting not supported.
-(define slib:exit exit)
-
-;;; Here for backward compatability
-(define scheme-file-suffix
- (let ((suffix (case (software-type)
- ((NOSVE) "_scm")
- (else ".scm"))))
- (lambda () suffix)))
-
-;;; (SLIB:LOAD-SOURCE "foo") should load "foo.scm" or with whatever
-;;; suffix all the module files in SLIB have. See feature 'SOURCE.
-
-(define (slib:load-source f) (load (string-append f ".scm")))
-
-;;; (SLIB:LOAD-COMPILED "foo") should load the file that was produced
-;;; by compiling "foo.scm" if this implementation can compile files.
-;;; See feature 'COMPILED.
-
-(define (slib:load-compiled f) (load (string-append f ".zo")))
-
-;;; At this point SLIB:LOAD must be able to load SLIB files.
-
-(define slib:load slib:load-source)
-
-(slib:load (in-vicinity (library-vicinity) "require"))
diff --git a/collects/srpersist/doc.txt b/collects/srpersist/doc.txt
deleted file mode 100644
index 50ebeda9..00000000
--- a/collects/srpersist/doc.txt
+++ /dev/null
@@ -1,2507 +0,0 @@
- _SrPersist_
- ===========
-
- _ODBC_
- ======
-
- SrPersist is an ODBC library for MzScheme and DrScheme.
- Any database management system with an ODBC driver should
- be usable with SrPersist.
-
- SrPersist provides a one-to-one mapping of ODBC procedures to
- Scheme procedures, with some additional utility procedures in Scheme.
- Procedures from ODBC versions 1.0 through 3.51 are supported.
- Where ODBC expects symbolic constants created through C #define's,
- SrPersist uses Scheme constants, which are checked for validity.
- In many cases, redundant arguments are eliminated. In many cases,
- the SrPersist version of an ODBC procedure returns a handle, allowing
- procedures to be composed.
-
- ODBC procedure names are mapped to Scheme names straightforwardly.
- The initial "SQL" in the name is removed, the characters
- are made all lowercase, and hyphens are inserted before the location
- of formerly uppercase letters, other than the first following "SQL".
- For example, the hypothetical ODBC name SQLProcedureName would be
- mapped to the Scheme name procedure-name. The exception is SQLError,
- which is mapped to sql-error, to avoid confusion with the MzScheme
- procedure error.
-
- The documentation here may be sufficient to get started with
- SrPersist, but you will certainly want to consult an ODBC reference for
- more information. The file tutorial.txt in the SrPersist collection
- provides some simple examples of how to use SrPersist.
-
- SrPersist is not
- ----------------
-
- SrPersist makes the ODBC API available in Scheme, but does not
- support any abstractions beyond it. Some useful error-checking is
- performed that is not done when using the C version of the API.
- Serious run-time errors are still possible, such as when a too-small
- buffer is bound to a column.
-
- We are considering ways in which to build a higher-level layer
- on top of SrPersist, to avoid some of the low-level details
- of ODBC. We would welcome ideas and contributions from users
- of SrPersist in this area. Please contact us via email at
- scheme@cs.rice.edu.
-
- Loading
- -------
-
- Before actually loading SrPersist, you need to define the global variable
- odbc-version. For example:
-
- (define odbc-version 3.5)
-
- Valid values of odbc-version are 1.0, 2.0, 3.0, 3.5, and 3.51.
- The version here should be less than or equal to the ODBC version
- used when compiling the SrPersist files. See README in
- the SrPersist source directory for more details on compilation.
- For the precompiled Windows binary, use 3.51 for odbc-version.
-
- For Windows, if you get errors when loading, your Windows installation
- may be missing certain ODBC libraries. Look for ODBC Data Sources
- in Windows Control Panel. If that application is missing, download
- and install the Microsoft Data Access Components from
- http://www.microsoft.com/data/. The download is about 6.5 Mb.
-
- There are two ways to load SrPersist. The first is to treat
- it as a library:
-
- (require-library "srpersist.ss" "srpersist")
-
- makes available the procedures listed here. The other way
- to load SrPersist uses a signed unit:
-
- (require-library "srpersistu.ss" "srpersist")
-
- binds `srpersist@' to the unit, with signature `srpersist^',
- which is defined in the file `sigs.ss' in the srpersist collection.
- The contents of that signature depend on the value of
- odbc-version. This unit can be invoked or imported into other
- units as needed.
-
- Overview of ODBC
- ----------------
-
- ODBC is a standard for allowing application programs to retrieve from
- and send data to relational databases. The application program
- communicates with a Driver Manager using ODBC procedures. Database
- queries use SQL (Structured Query Language). The Driver Manager
- communicates with databases using drivers specific to them. Therefore,
- ODBC is a "middleware" standard.
-
- How to use this documentation
- -----------------------------
-
- Because ODBC is very complex, this documentation cannot hope to
- cover all its aspects. Instead, this documentation describes
- a Scheme interface to ODBC. Each ODBC API procedure has a Scheme
- counterpart. In this documentation, we describe the parameters
- and return values for each procedure, as well as give some indication
- of the purpose of the procedure. To use ODBC effectively, you will
- need access to an ODBC reference, such as that provided with the
- Microsoft ODBC SDK.
-
- Overview of ODBC procedures
- ---------------------------
-
- In the documentation below, we group SrPersist ODBC procedures
- by topics. The topics are Exceptions, Handles, Connections, Environments,
- Statements and Parameters, Descriptors, Cursors, Columns and Data
- Retrieval, Metadata, and Errors and Diagnostics. SrPersist also has
- its own utility procedures, listed under the heading Utilities below.
-
- For each procedure, we indicate the ODBC version in which it was
- introduced. Therefore, some SrPersist procedures may not be available
- to your program. If the variable odbc-version is greater than or
- equal to the ODBC version in which a procedure was introduced, the
- procedure will be available; otherwise, the procedure will not be
- available.
-
- Exceptions
- ----------
-
- Any SrPersist ODBC procedure may raise an exception.
- SrPersist exceptions correspond to the ODBC SQLRESULT codes,
- as follows:
-
- exn-invalid-handle SQL_INVALID_HANDLE
- exn-error SQL_ERROR
- exn-still-executing SQL_STILL_EXECUTING
- exn-need-data SQL_NEED_DATA
- exn-with-info SQL_SUCCESS_WITH_INFO
- exn-no-data SQL_NO_DATA_FOUND (before ODBC 3.0)
- exn-no-data SQL_NO_DATA (ODBC 3.0 or greater)
-
- Each of these exceptions is an ordinary Scheme structure
- derived from `struct:exn'. Only `exn-need-data` and `exn-with-info'
- contain an extra field, `val' in both cases. The names of the
- exception indicate the nature of the problem that has occurred.
- Each of these exceptions, other than `exn-with-info', indicate an error.
- The exception `exn-error' is a catchall, indicating an unspecified error.
- The exception `exn-with-info' does not indicate an error, rather it
- indicates that additional information is available about the procedure
- that generated the exception. The `val' field of `exn-need-data` or
- `exn-with-info' instances contains the value returned by the procedure
- that generated the exception. In the case of `exn-need-data', depending
- on the ODBC procedure, the contained value may not be meaningful.
-
- `with-handlers' can be used to handle SrPersist exceptions:
-
- (with-handlers ([(lambda (exn)
- (exn-with-info? exn))
- (lambda (exn)
- (printf "Got exn-with-info exception~n")
- (printf "Value: ~a~n" (exn-with-info-val exn)))])
- ...)
-
- Applications can call sql-error, get-diag-rec, or get-diag-field
- to obtain additional information about an exception that
- has occurred (see the heading "Diagnostics", below). No additional
- information is available when the exception is `exn-invalid-handle'.
-
- Besides these SrPersist-particular exceptions, other kinds of errors
- may raise exceptions. For example, passing a value of the
- wrong type to a SrPersist procedure will raise an exception.
-
- Handles
- -------
-
- ODBC and SrPersist support four kinds of handles.
- In ODBC itself, all handles are represented as integers,
- making it possible for handle types to be confused.
- In SrPersist, each handle type has a distinct Scheme
- type. An "environment handle" has type `sql-henv'; a
- "connection handle" has type `sql-hdbc'; a "statement handle" has
- type `sql-hstmt'; a "descriptor handle" has type `sql-hdesc'.
-
- Further, descriptor handles have an attribute which divides
- them into subtypes, though this does not show up in their
- Scheme type. Ordinarily, a descriptor handle is either an
- Application Parameter Descriptor (attribute APD), an Application
- Row Descriptor (ARD), an Implementation Parameter Descriptor (IPD),
- or an Implementation Row Descriptor (IRD). Most descriptor
- handles are created by an ODBC driver. When a descriptor
- handle is explicitly allocated, it receives the attribute
- EXPLICIT, rather than one of the four attribute values just
- mentioned.
-
- There are several procedures to allocate fresh handles.
-
-> (alloc-env)
-
- ODBC 1.0.
-
- Returns a fresh environment handle.
-
-> (alloc-connect henv)
-
- ODBC 1.0, deprecated in favor of `alloc-handle'.
-
- Returns a fresh connection handle, given `henv', an
- environment handle.
-
-> (alloc-stmt hdbc)
-
- ODBC 1.0, deprecated in favor of `alloc-handle'.
-
- Returns a fresh statement handle, given `hdbc', a
- connection handle
-
-> (alloc-handle htype [handle])
-
- ODBC 3.0.
-
- Returns a fresh handle whose type depends on `htype',
- a Scheme symbol. If `htype' is 'sql-handle-env,
- then `handle' must be omitted, and a fresh `environment
- handle' is returned. If `htype' is 'sql-handle-dbc,
- then `handle' must be an environment handle, and a fresh
- `connection handle' is returned. If `htype' is 'sql-handle-stmt,
- then `handle' must be a connection handle, and a fresh
- `statement handle' is returned. If `htype' is 'sql-handle-desc,
- then `handle' must be a connection handle, and a fresh
- `descriptor handle' with attribute EXPLICIT is returned.
- Any other value of `htype' causes an error.
-
-> (free-connect hdbc)
-
- ODBC 1.0, deprecated in favor of free-handle.
-
- Frees a connection handle `hdbc', whose value is returned by the
- procedure.
-
-> (free-env henv)
-
- ODBC 1.0, deprecated in favor of free-handle.
-
- Frees an environment handle `henv', whose value is returned by the
- procedure.
-
-> (free-handle handle)
-
- ODBC 3.0.
-
- Frees `handle', which may be an environment, connection, statment,
- or descriptor handle. Returns the value of `handle'.
-
-> (free-stmt hstmt option)
-
- ODBC 1.0.
-
- Frees or releases resources for the statement handle `hstmt'.
- The `option' argument may be any of the following symbols, with
- the indicated effects:
-
- 'sql-close closes the statement cursors, discards pending results
- (does not actually free `hstmt')
- 'sql-drop deprecated, effectively (free-handle hstmt)
- 'sql-unbind releases all column buffers for the statement
- 'sql-reset-parms releases all parameter buffers for the statement
-
- free-stmt returns the value of `hstmt'.
-
- Environments
- ------------
-
-> (data-sources henv direction)
-
- OCBC 1.0.
-
- For the environment handle `henv', returns a pair of strings
- indicating a data source name and its description. The
- symbol `direction' is either 'sql-fetch-first, 'sql-fetch-next,
- 'sql-fetch-first-user, or 'sql-fetch-first-system. User data
- sources are visible only to a particular user, while system
- data sources are visible to all users.
-
-> (drivers henv fetch)
-
- ODBC 2.0.
-
- For the environment handle `henv', returns a two-element list
- of strings describing an available driver. The first string
- identifies the driver and the second string describes attributes
- of the driver. `fetch' is either 'sql-fetch-first or
- 'sql-fetch-next. By using repeated calls to drivers with
- 'sql-fetch-next, a program can obtain information about all
- available drivers. Providing 'sql-fetch-next on the first
- call to drivers has the same effect as 'sql-fetch-first.
-
- Please consult an ODBC reference for an information about the
- keyword/value pairs that appear in the attributes string.
-
-> (get-env-attr henv attr)
-
- Given an environment handle `henv', returns the value of the
- attribute `attr'. The possible values for `attr' and the
- resulting return values are:
-
- attr returns
- ---- -------
- 'sql-attr-connection-pooling 'sql-cp-off, or
- 'sql-cp-one-per-driver, or
- 'sql-cp-one-per-henv
-
- 'sql-attr-cp-match 'sql-cp-strict-match, or
- 'sql-cp-relaxed-match
-
- 'sql-attr-odbc-version 'sql-ov-odbc3, or
- 'sql-ov-odbc2
-
- 'sql-attr-output-nts boolean
-
- Please see an ODBC reference for more information about the
- significance of these attributes.
-
-> (set-env-attr henv attr val)
-
- Given an environment handle `henv', sets the value of its associated
- attribute `attr' to the value `val'. See `get-env-attr' for the
- available attributes and their valid values. Returns the value of
- `henv'.
-
- Connections
- -----------
-
- Before an ODBC database may be used, a `connection' between
- the ODBC driver and database management system needs to be
- established. Here are the procedures for establishing and
- managing connections.
-
-> (connect hdbc dbms name password)
-
- ODBC 1.0.
-
- Establishes a connection, given a connection handle `hdbc', and
- strings for a database server `dbms', a `name' and `password'.
- Returns the value of `hdbc'.
-
-> (browse-connect hdbc connect-string)
-
- Connects to a data source, given a connection handle `hdbc'
- and connection string `connect-string'. The connection string
- consists of keyword and value pairs. See `driver-connect'
- for the format of such pairs. The first time `browse-connect'
- is called, the connection string must contain either the
- DSN or DRIVER keywords. `browse-connect' returns a connection string
- with a sequence of keywords and value pairs. Those pairs not
- preceded by an asterisk are mandatory in the next call to
- browse-connect. If the supplied connection string does not
- contain all needed attributes to make a connection, a `exn-need-data'
- exception is raised, which contains a connection string indicating
- which attributes are missing.
-
-> (driver-connect hdbc connect-string prompt)
-
- Connects to an ODBC driver, given a connection handle `hdbc',
- the string `connect-string', and the symbol `prompt'.
- The connect-string is a possibly-empty sequence of
- keyword, attribute pairs:
-
- keyword=attribute;...
-
- where `keyword' is any of
-
- DSN data source
- UID user id
- PWD password
- FILEDSN name of a .dsn file containing a connection string
- DRIVER driver description
- SAVEFILE a .dsn file for saving the connection attributes
-
- or a driver-specific keyword. DSN and DRIVER are mutually-exclusive.
- DRIVER is ODBC 2.0, while FILEDSN and SAVEFILE are ODBC 3.0.
- For DRIVER only, the attribute may be surrounded by
- curly braces {}, useful if the attribute contains a semicolon.
- `prompt' is one of the symbols
-
- 'sql-driver-prompt prompt for required information
- 'sql-driver-complete prompt if DSN not in connect-string
- 'sql-driver-complete-required prompt if DSN not in connect-string
- 'sql-driver-noprompt do not prompt for information
-
- driver-connect returns a connection string indicating all the
- keywords and values that were passed to the data source.
-
-> (disconnect hdbc)
-
- ODBC 1.0.
-
- Closes the data source connection associated with the connection
- handle `hdbc'. Frees any statement and descriptor handles associated
- with the connection handle. Returns the value of `hdbc'.
-
-> (get-info hdbc infotype [handle])
-
- ODBC 1.0.
-
- Returns information about the data source associated with the
- connection handle `hdbc'. The type of the return value depends
- on the symbol `infotype', which indicates the information requested.
- The optional argument `handle' is either a statement handle
- or a descript handle, and may be used only with certain
- values of `infotype', as described below.
-
- The significance of the values returned by get-info is beyond the
- scope of this documentation. Please consult an ODBC reference
- for further information.
-
- The permissible values of `infotype' vary by ODBC version.
- Valid values of `infotype' and their return types are:
-
- infotype returns
- -------- -------
-
- [ODBC 1.0 or greater]
- 'sql-accessible-procedures boolean
- 'sql-accessible-tables boolean
- 'sql-active-connections unsigned integer
- 'sql-active-statements unsigned integer
- 'sql-alter-table a list with elements chosen from
- '(sql-at-add-column-collation
- sql-at-add-column-default
- sql-at-add-column-single
- sql-at-add-constraint
- sql-at-add-table-constraint
- sql-at-constraint-name-definition
- sql-at-drop-column-cascade
- sql-at-drop-column-default
- sql-at-drop-column-restrict
- sql-at-drop-table-constraint-cascade
- sql-at-drop-table-constraint-restrict
- sql-at-set-column-default
- sql-at-constraint-initially-deferred
- sql-at-constraint-initially-immediate
- sql-at-constraint-deferrable
- sql-at-constraint-non-deferrable)
- 'sql-correlation-name 'sql-cn-none, or
- 'sql-cn-different, or
- 'sql-cn-any
- 'sql-convert-functions a list with elements chosen from
- '(sql-fn-cvt-cast sql-fn-cvt-convert)
- 'sql-column-alias boolean
- 'sql-concat-null-behavior 'sql-cb-null or
- sql-cb-non-null
- 'sql-convert-bigint a list with elements chosen from
- '(sql-cvt-bigint
- sql-cvt-binary
- sql-cvt-bit
- sql-cvt-char
- sql-cvt-date
- sql-cvt-decimal
- sql-cvt-double
- sql-cvt-float
- sql-cvt-integer
- sql-cvt-interval-year-month
- sql-cvt-interval-day-time
- sql-cvt-longvarbinary
- sql-cvt-longvarchar
- sql-cvt-numeric
- sql-cvt-real
- sql-cvt-smallint
- sql-cvt-time
- sql-cvt-timestamp
- sql-cvt-tinyint
- sql-cvt-varbinary
- sql-cvt-varchar)
- 'sql-convert-binary same as for 'sql-convert-bigint
- 'sql-convert-bit same as for 'sql-convert-bigint
- 'sql-convert-char same as for 'sql-convert-bigint
- 'sql-convert-date same as for 'sql-convert-bigint
- 'sql-convert-decimal same as for 'sql-convert-bigint
- 'sql-convert-double same as for 'sql-convert-bigint
- 'sql-convert-float same as for 'sql-convert-bigint
- 'sql-convert-integer same as for 'sql-convert-bigint
- 'sql-convert-longvarbinary same as for 'sql-convert-bigint
- 'sql-convert-longvarchar same as for 'sql-convert-bigint
- 'sql-convert-real same as for 'sql-convert-bigint
- 'sql-convert-numeric same as for 'sql-convert-bigint
- 'sql-convert-smallint same as for 'sql-convert-bigint
- 'sql-convert-time same as for 'sql-convert-bigint
- 'sql-convert-timestamp same as for 'sql-convert-bigint
- 'sql-convert-tinyint same as for 'sql-convert-bigint
- 'sql-convert-varbinary same as for 'sql-convert-bigint
- 'sql-convert-varchar same as for 'sql-convert-bigint
- 'sql-cursor-commit-behavior 'sql-cb-delete, or
- 'sql-cb-close, or
- 'sql-cb-preserve
- 'sql-cursor-rollback-behavior same as for 'sql-cursor-commit-behavior
- 'sql-data-source-name string
- 'sql-data-source-read-only boolean
- 'sql-database-name string
- 'sql-dbms-name string
- 'sql-dbms-ver string
- 'sql-default-txn-isolation 'sql-txn-read-uncommitted, or
- 'sql-txn-read-committed, or
- 'sql-txn-repeatable-read, or
- 'sql-txn-serializable
- 'sql-driver-hdbc connection handle
- 'sql-driver-henv environment handle
- 'sql-driver-hlib unsigned integer
- 'sql-driver-hstmt statement handle; `handle' argument
- also a statement handle
- 'sql-driver-name string
- 'sql-driver-odbc-ver string
- 'sql-driver-ver string
- 'sql-expressions-in-orderby boolean
- 'sql-fetch-direction a list with elements chosen from
- '(sql-fd-fetch-next
- sql-fd-fetch-first
- sql-fd-fetch-last
- sql-fd-fetch-prior
- sql-fd-fetch-absolute
- sql-fd-fetch-relative
- sql-fd-fetch-bookmark)
- 'sql-file-usage 'sql-file-not-supported, or
- 'sql-file-table, or
- 'sql-file-catalog
- 'sql-getdata-extensions a list with elements chosen from
- '(sql-gd-any-column
- sql-gd-any-order
- sql-gd-block
- sql-gd-bound)
- 'sql-group-by 'sql-gb-collate (ODBC 3.0 or greater), or
- 'sql-gb-not-supported, or
- 'sql-gb-group-by-equals-select, or
- 'sql-gb-group-by-contains-select, or
- 'sql-gb-no-relation
- 'sql-identifier-case 'sql-ic-upper, or
- 'sql-ic-lower, or
- 'sql-ic-sensitive, or
- 'sql-ic-mixed
- 'sql-identifier-quote-char string
- 'sql-integrity boolean
- 'sql-keywords string
- 'sql-like-escape-clause boolean
- 'sql-lock-types a list with elements chosen from
- '(sql-lck-no-change
- sql-lck-exclusive
- sql-lck-unlock)
- 'sql-max-binary-literal-len unsigned integer
- 'sql-max-catalog-name-len unsigned integer
- 'sql-max-char-literal-len unsigned integer
- 'sql-max-column-name-len unsigned integer
- 'sql-max-columns-in-group-by unsigned integer
- 'sql-max-columns-in-index unsigned integer
- 'sql-max-columns-in-order-by unsigned integer
- 'sql-max-columns-in-select unsigned integer
- 'sql-max-columns-in-table unsigned integer
- 'sql-max-cursor-name-len unsigned integer
- 'sql-max-index-size unsigned integer
- 'sql-max-owner-name-len unsigned integer
- 'sql-max-procedure-name-len unsigned integer
- 'sql-max-qualifier-name-len unsigned integer
- 'sql-max-row-size unsigned integer
- 'sql-max-row-size-includes-long boolean
- 'sql-max-schema-name-len unsigned integer
- 'sql-max-statement-len unsigned integer
- 'sql-max-table-name-len unsigned integer
- 'sql-max-tables-in-select unsigned integer
- 'sql-max-user-name-len unsigned integer
- 'sql-mult-result-sets boolean
- 'sql-multiple-active-txn boolean
- 'sql-need-long-data-len boolean
- 'sql-non-nullable-columns 'sql-nnc-null or
- 'sql-nnc-non-null
- 'sql-null-collation 'sql-nc-end, or
- 'sql-nc-high, or
- 'sql-nc-low, or
- 'sql-nc-start
- 'sql-numeric-functions a list with elements chosen from
- '(sql-fn-num-abs
- sql-fn-num-acos
- sql-fn-num-asin
- sql-fn-num-atan
- sql-fn-num-atan2
- sql-fn-num-ceiling
- sql-fn-num-cos
- sql-fn-num-cot
- sql-fn-num-degrees
- sql-fn-num-exp
- sql-fn-num-floor
- sql-fn-num-log
- sql-fn-num-log10
- sql-fn-num-mod
- sql-fn-num-pi
- sql-fn-num-power
- sql-fn-num-radians
- sql-fn-num-rand
- sql-fn-num-round
- sql-fn-num-sign
- sql-fn-num-sin
- sql-fn-num-sqrt
- sql-fn-num-tan
- sql-fn-num-truncate)
- 'sql-odbc-api-conformance 'sql-oac-none, or
- 'sql-oac-level1, or
- 'sql-oac-level2
- 'sql-odbc-sql-conformance 'sql-osc-minimum, or
- 'sql-osc-core, or
- 'sql-osc-extended
- 'sql-odbc-sql-opt-ief boolean
- 'sql-odbc-ver string
- 'sql-order-by-columns-in-select boolean
- 'sql-outer-joins boolean
- 'sql-owner-term string
- 'sql-owner-usage a list with elements chosen from
- '(sql-ou-dml-statements
- sql-ou-procedure-invocation
- sql-ou-table-definition
- sql-ou-index-definition
- sql-ou-privilege-definition)
- 'sql-pos-operations a list with elements chosen from
- '(sql-pos-position
- sql-pos-refresh
- sql-pos-update
- sql-pos-delete
- sql-pos-add)
- 'sql-positioned-statements a list with elements chosen from
- '(sql-ps-positioned-delete
- sql-ps-positioned-update
- sql-ps-select-for-update)
- 'sql-procedure-term string
- 'sql-procedures boolean
- 'sql-qualifier-location 'sql-ql-start or 'sql-ql-end
- 'sql-qualifier-name-separator string
- 'sql-qualifier-term string
- 'sql-qualifier-usage a list with elements chosen from
- '(sql-qu-dml-statements
- sql-qu-procedure-invocation
- sql-qu-table-definition
- sql-qu-index-definition
- sql-qu-privilege-definition)
- 'sql-quoted-identifier-case 'sql-ic-upper, or
- 'sql-ic-lower, or
- 'sql-ic-sensitive, or
- 'sql-ic-mixed
- 'sql-row-updates boolean
- 'sql-scroll-concurrency a list with elements chosen from
- '(sql-scco-read-only
- sql-scco-lock
- sql-scco-opt-rowver
- sql-scco-opt-values)
- 'sql-scroll-options a list with elements chosen from
- '(sql-so-forward-only
- sql-so-static
- sql-so-keyset-driven
- sql-so-dynamic
- sql-so-mixed)
- 'sql-search-pattern-escape string
- 'sql-server-name string
- 'sql-special-characters string
- 'sql-static-sensitivity a list with elements chosen from
- '(sql-ss-additions
- sql-ss-deletions
- sql-ss-updates)
- 'sql-string-functions a list with elements chosen from
- '(sql-fn-str-ascii
- sql-fn-str-bit-length
- sql-fn-str-char
- sql-fn-str-char-length
- sql-fn-str-character-length
- sql-fn-str-concat
- sql-fn-str-difference
- sql-fn-str-insert
- sql-fn-str-lcase
- sql-fn-str-left
- sql-fn-str-length
- sql-fn-str-locate
- sql-fn-str-ltrim
- sql-fn-str-octet-length
- sql-fn-str-position
- sql-fn-str-repeat
- sql-fn-str-replace
- sql-fn-str-right
- sql-fn-str-rtrim
- sql-fn-str-soundex
- sql-fn-str-space
- sql-fn-str-substring
- sql-fn-str-ucase)
- 'sql-subqueries a list with elements chosen from
- '(sql-sq-correlated-subqueries
- sql-sq-comparison
- sql-sq-exists
- sql-sq-in
- sql-sq-quantified)
- 'sql-system-functions a list with elements chosen from
- '(sql-fn-sys-dbname
- sql-fn-sys-ifnull
- sql-fn-sys-username)
- 'sql-table-term string
- 'sql-timedate-add-intervals a list with elements chosen from
- '(sql-fn-tsi-frac-second
- sql-fn-tsi-second
- sql-fn-tsi-minute
- sql-fn-tsi-hour
- sql-fn-tsi-day
- sql-fn-tsi-week
- sql-fn-tsi-month
- sql-fn-tsi-quarter
- sql-fn-tsi-year)
- 'sql-timedate-diff-intervals a list with elements chosen from
- '(sql-fn-tsi-frac-second
- sql-fn-tsi-second
- sql-fn-tsi-minute
- sql-fn-tsi-hour
- sql-fn-tsi-day
- sql-fn-tsi-week
- sql-fn-tsi-month
- sql-fn-tsi-quarter
- sql-fn-tsi-year)
- 'sql-timedate-functions a list with elements chosen from
- '(sql-fn-td-current-date
- sql-fn-td-current-time
- sql-fn-td-current-timestamp
- sql-fn-td-curdate
- sql-fn-td-curtime
- sql-fn-td-dayname
- sql-fn-td-dayofmonth
- sql-fn-td-dayofweek
- sql-fn-td-dayofyear
- sql-fn-td-extract
- sql-fn-td-hour
- sql-fn-td-minute
- sql-fn-td-month
- sql-fn-td-monthname
- sql-fn-td-now
- sql-fn-td-quarter
- sql-fn-td-second
- sql-fn-td-timestampadd
- sql-fn-td-timestampdiff
- sql-fn-td-week
- sql-fn-td-year)
- 'sql-txn-capable 'sql-tc-none, or
- 'sql-tc-dml, or
- 'sql-tc-ddl-commit, or
- 'sql-tc-ddl-ignore, or
- 'sql-tc-all
- 'sql-txn-isolation-option same as for 'sql-default-txn-isolation
- 'sql-union a list with elements chosen from
- '(sql-u-union sql-u-union-all)
- 'sql-user-name string
-
- [ODBC 2.0 or greater]:
- 'sql-bookmark-persistence a list with elements chosen from
- '(sql-bp-close sql-bp-delete
- sql-bp-drop sql-bp-transaction
- sql-bp-update sql-bp-other-hstmt)
-
- [ODBC 2.01 or greater]:
- 'sql-oj-capabilities a list with elements chosen from
- '(sql-oj-left
- sql-oj-right
- sql-oj-full
- sql-oj-nested
- sql-oj-not-ordered
- sql-oj-inner
- sql-oj-all-comparison-ops)
-
- [ODBC 3.0 or greater]:
- 'sql-active-environments unsigned integer
- 'sql-aggregate-functions a list with elements chosen from
- '(sql-af-all
- sql-af-avg
- sql-af-count
- sql-af-distinct
- sql-af-max
- sql-af-min
- sql-af-sum)
- 'sql-alter-domain a list with elements chosen from
- '(sql-ad-add-domain-constraint
- sql-ad-add-domain-default
- sql-ad-constraint-name-definition
- sql-ad-drop-domain-constraint
- sql-ad-drop-domain-default
- sql-ad-add-constraint-deferrable
- sql-ad-add-constraint-non-deferrable
- sql-ad-add-constraint-inititally-deferred
- sql-ad-add-constraint-initially-immediate)
- 'sql-async-mode 'sql-am-connection, or
- 'sql-am-statement, or
- 'sql-am-none
- 'sql-batch-row-count a list with elements chosen from
- '(sql-brc-rolled-up
- sql-brc-procedures
- sql-brc-explicit)
- 'sql-batch-support a list with elements chosen from
- '(sql-bs-select-explicit
- sql-bs-row-count-explicit
- sql-bs-select-proc
- sql-bs-row-count-proc)
- 'sql-catalog-location 'sql-cl-start or 'sql-cl-end
- 'sql-catalog-name boolean
- 'sql-catalog-name-separator string
- 'sql-catalog-term string
- 'sql-catalog-usage a list with elements chosen from
- '(sql-cu-dml-statements
- sql-cu-procedure-invocation
- sql-cu-table-definition
- sql-cu-index-definition
- sql-cu-privilege-definition)
- 'sql-collation-seq string
- 'sql-convert-interval-year-month same as for 'sql-convert-bigint
- 'sql-convert-interval-day-time same as for 'sql-convert-bigint
- 'sql-convert-interval-year-month same as for 'sql-convert-bigint
- 'sql-create-assertion a list with elements chosen from
- '(sql-ca-create-assertion
- sql-ca-constraint-initially-deferred
- sql-ca-constraint-initially-immediate
- sql-ca-constraint-deferrable
- sql-ca-constraint-non-deferrable)
- 'sql-create-character-set a list with elements chosen from
- '(sql-ccs-create-character-set
- sql-ccs-collate-clause
- sql-ccs-limited-collation)
- 'sql-create-collation a list with elements chosen from
- '(sql-ccol-create-collation)
- 'sql-create-domain a list with elements chosen from
- '(sql-cdo-create-domain
- sql-cdo-constraint-name-definition
- sql-cdo-default
- sql-cdo-constraint
- sql-cdo-collation
- sql-cdo-constraint-initially-deferred
- sql-cdo-constraint-initially-immediate
- sql-cdo-constraint-deferrable
- sql-cdo-constraint-non-deferrable)
- 'sql-create-schema a list with elements chosen from
- '(sql-cs-create-schema
- sql-cs-authorization
- sql-cs-default-character-set)
- 'sql-create-table a list with elements chosen from
- '(sql-ct-create-table
- sql-ct-table-constraint
- sql-ct-constraint-name-definition
- sql-ct-commit-preserve
- sql-ct-commit-delete
- sql-ct-global-temporary
- sql-ct-local-temporary
- sql-ct-column-constraint
- sql-ct-column-default
- sql-ct-column-collation
- sql-ct-constraint-initially-deferred
- sql-ct-constraint-initially-immediate
- sql-ct-constraint-deferrable
- sql-ct-constraint-non-deferrable)
- 'sql-create-translation a list with elements chosen from
- '(sql-ctr-create-translation)
- 'sql-create-view a list with elements chosen from
- '(sql-cv-create-view
- sql-cv-check-option
- sql-cv-cascaded
- sql-cv-local)
- 'sql-datetime-literals a list with elements chosen from
- '(sql-dl-sql92-date
- sql-dl-sql92-time
- sql-dl-sql92-timestamp
- sql-dl-sql92-interval-year
- sql-dl-sql92-interval-month
- sql-dl-sql92-interval-day
- sql-dl-sql92-interval-hour
- sql-dl-sql92-interval-minute
- sql-dl-sql92-interval-second
- sql-dl-sql92-interval-year-to-month
- sql-dl-sql92-interval-day-to-hour
- sql-dl-sql92-interval-day-to-minute
- sql-dl-sql92-interval-day-to-second
- sql-dl-sql92-interval-hour-to-minute
- sql-dl-sql92-interval-hour-to-second
- sql-dl-sql92-interval-minute-to-second)
- 'sql-ddl-index 'sql-di-create-index or
- 'sql-di-drop-index
- 'sql-describe-parameter boolean
- 'sql-dm-ver string
- 'sql-driver-hdesc descriptor handle; `handle' argument
- also a descriptor handle
- 'sql-drop-assertion a list with elements chosen from
- '(sql-da-drop-assertion)
- 'sql-drop-character-set a list with elements chosen from
- '(sql-dcs-drop-character-set)
- 'sql-drop-collation a list with elements chosen from
- '(sql-dc-drop-collation)
- 'sql-drop-domain a list with elements chosen from
- '(sql-dd-drop-domain
- sql-dd-cascade
- sql-dd-restrict)
- 'sql-drop-schema a list with elements chosen from
- '(sql-ds-drop-schema
- sql-ds-cascade
- sql-ds-restrict)
- 'sql-drop-table a list with elements chosen from
- '(sql-dt-drop-table
- sql-dt-cascade
- sql-dt-restrict)
- 'sql-drop-translation a list with elements chosen from
- '(sql-dtr-drop-translation)
- 'sql-drop-view a list with elements chosen from
- '(sql-dv-drop-view
- sql-dv-cascade
- sql-dv-restrict)
- 'sql-cursor-sensitivity 'sql-insensitive, or
- 'sql-unspecified, or
- 'sql-sensitive
- 'sql-dynamic-cursor-attributes1 a list with elements chosen from
- '(sql-ca1-next sql-ca1-absolute
- sql-ca1-relative sql-ca1-bookmark
- sql-ca1-lock-exclusive
- sql-ca1-lock-no-change
- sql-ca1-lock-unlock sql-ca1-pos-position
- sql-ca1-pos-update sql-ca1-pos-delete
- sql-ca1-pos-refresh
- sql-ca1-positioned-update
- sql-ca1-positioned-delete
- sql-ca1-select-for-update
- sql-ca1-bulk-add
- sql-ca1-bulk-update-by-bookmark
- sql-ca1-bulk-delete-by-bookmark
- sql-ca1-bulk-fetch-by-bookmark)
- 'sql-dynamic-cursor-attributes2 a list with elements chosen from
- '(sql_ca2_read_only_concurrency
- sql_ca2_lock_concurrency
- sql_ca2_opt_rowver_concurrency
- sql_ca2_opt_values_concurrency
- sql_ca2_sensitivity_additions
- sql_ca2_sensitivity_deletions
- sql_ca2_sensitivity_updates
- sql_ca2_max_rows_select
- sql_ca2_max_rows_insert
- sql_ca2_max_rows_delete
- sql_ca2_max_rows_update
- sql_ca2_max_rows_catalog
- sql_ca2_max_rows_affects_all
- sql_ca2_crc_exact
- sql_ca2_crc_approximate
- sql_ca2_simulate_non_unique
- sql_ca2_simulate_try_unique
- sql_ca2_simulate_unique)
- 'sql-forward-only-cursor-attributes1
- same as for 'sql-keyset-cursor-attributes1
- 'sql-forward-only-cursor-attributes2
- same as for 'sql-keyset-cursor-attributes2
- 'sql-index-keywords a list with elements chosen from
- '(sql-ik-asc sql-ik-desc)
- 'sql-info-schema-views a list with elements chosen from
- '(sql-isv-assertions
- sql-isv-character-sets
- sql-isv-check-constraints
- sql-isv-collations
- sql-isv-column-domain-usage
- sql-isv-column-privileges
- sql-isv-columns
- sql-isv-constraint-column-usage
- sql-isv-constraint-table-usage
- sql-isv-domain-constraints
- sql-isv-domains
- sql-isv-key-column-usage
- sql-isv-referential-constraints
- sql-isv-schemata
- sql-isv-sql-languages
- sql-isv-table-constraints
- sql-isv-table-privileges
- sql-isv-tables sql-isv-translations
- sql-isv-usage-privileges
- sql-isv-view-column-usage
- sql-isv-view-table-usage)
- 'sql-insert-statement a list with elements chosen from
- '(sql-is-insert-literals
- sql-is-insert-searched
- sql-is-select-into)
- 'sql-keyset-cursor-attributes1 same as for 'sql-dynamic-cursor-attributes1
- 'sql-keyset-cursor-attributes2 same as for 'sql-dynamic-cursor-attributes2
- 'sql-max-async-concurrent-statements unsigned integer
- 'sql-max-concurrent-activities unsigned integer
- 'sql-max-driver-connections unsigned integer
- 'sql-max-identifier-len unsigned integer
- 'sql-odbc-interface-conformance 'sql-oic-core, or
- 'sql-oic-level1, or
- 'sql-oic-level2
- 'sql-param-array-row-counts 'sql-parc-batch or 'sql-parc-no-batch
- 'sql-param-array-selects 'sql-pas-batch, or 'sql-pas-no-batch, or
- 'sql-pas-no-select
- 'sql-schema-term string
- 'sql-schema-usage a list with elements chosen from
- '(sql-su-dml-statements
- sql-su-procedure-invocation
- sql-su-table-definition
- sql-su-index-definition
- sql-su-privilege-definition)
- 'sql-sql-conformance 'sql-sc-sql92-entry, or
- 'sql-sc-fips127-2-transitional, or
- 'sql-sc-sql92-full, or
- 'sql-sc-sql92-intermediate, or
- 'sql-sql92-datetime-functions a list with elements chosen from
- '(sql-sdf-current-date
- sql-sdf-current-time
- sql-sdf-current-timestamp)
- 'sql-sql92-foreign-key-delete-rule
- a list with elements chosen from
- '(sql-sfkd-cascade
- sql-sfkd-no-action
- sql-sfkd-set-default
- sql-sfkd-set-null)
- 'sql-sql92-foreign-key-update-rule
- a list with elements chosen from
- '(sql-sfku-cascade
- sql-sfku-no-action
- sql-sfku-set-default
- sql-sfku-set-null)
- 'sql-sql92-grant a list with elements chosen from
- '(sql-sg-delete-table
- sql-sg-insert-column
- sql-sg-insert-table
- sql-sg-references-table
- sql-sg-references-column
- sql-sg-select-table
- sql-sg-update-column
- sql-sg-update-table
- sql-sg-usage-on-domain
- sql-sg-usage-on-character-set
- sql-sg-usage-on-collation
- sql-sg-usage-on-translation
- sql-sg-with-grant-option)
- 'sql-sql92-numeric-value-functions
- a list with elements chosen from
- '(sql-snvf-bit-length
- sql-snvf-char-length
- sql-snvf-character-length
- sql-snvf-extract
- sql-snvf-octet-length
- sql-snvf-position)
- 'sql-sql92-predicates a list with elements chosen from
- '(sql-sp-between
- sql-sp-comparison
- sql-sp-exists
- sql-sp-in
- sql-sp-isnotnull
- sql-sp-isnull
- sql-sp-like
- sql-sp-match-full
- sql-sp-match-partial
- sql-sp-match-unique-full
- sql-sp-match-unique-partial
- sql-sp-overlaps
- sql-sp-quantified-comparison
- sql-sp-unique)
- 'sql-sql92-relational-join-operations
- a list with elements chosen from
- '(sql-srjo-corresponding-clause
- sql-srjo-cross-join
- sql-srjo-except-join
- sql-srjo-full-outer-join
- sql-srjo-inner-join
- sql-srjo-intersect-join
- sql-srjo-left-outer-join
- sql-srjo-natural-join
- sql-srjo-right-outer-join
- sql-srjo-union-join)
- 'sql-sql92-revoke a list with elements chosen from
- '(sql-sr-cascade
- sql-sr-delete-table
- sql-sr-grant-option-for
- sql-sr-insert-column
- sql-sr-insert-table
- sql-sr-references-column
- sql-sr-references-table
- sql-sr-restrict
- sql-sr-select-table
- sql-sr-update-column
- sql-sr-update-table
- sql-sr-usage-on-domain
- sql-sr-usage-on-character-set
- sql-sr-usage-on-collation
- sql-sr-usage-on-translation)
- 'sql-sql92-row-value-constructor a list with elements chosen from
- '(sql-srvc-value-expression
- sql-srvc-null
- sql-srvc-default
- sql-srvc-row-subquery)
- 'sql-sql92-string-functions a list with elements chosen from
- '(sql-ssf-convert
- sql-ssf-lower
- sql-ssf-upper
- sql-ssf-substring
- sql-ssf-translate
- sql-ssf-trim-both
- sql-ssf-trim-leading
- sql-ssf-trim-trailing)
- 'sql-sql92-value-expressions a list with elements chosen from
- '(sql-sve-case
- sql-sve-cast
- sql-sve-coalesce
- sql-sve-nullif)
- 'sql-standard-cli-conformance a list with elements chosen from
- '(sql-scc-xopen-cli-version1
- sql-scc-iso92-cli)
- 'sql-static-cursor-attributes1 same as for 'sql-dynamic-cursor-attributes1
- 'sql-static-cursor-attributes2 same as for 'sql-dynamic-cursor-attributes2
- 'sql-xopen-cli-year string
-
-> (get-functions hdbc fn)
-
- ODBC 1.0.
-
- For the driver that supports the connection indicated by the connection
- handle `hdbc', get-functions indicates whether the function or set
- of functions denoted by the symbol `fn' is supported by the driver.
-
- For ODBC 2.0 or later, `fn' may be 'sql-api-all-functions.
- In that case, get-functions returns a list of two-element lists in which
- the first element is a symbol indicating a function name, and
- the second element is #t if the driver supports the function,
- otherwise #f. The function names in the list are those below indicated
- as ODBC 2.0 or earlier.
-
- For ODBC 3.0 or greater, `fn' may be 'sql-api-odbc3-all-functions.
- In that case, get-functions returns a list of two-element lists in which
- the first element is a symbol indicating a function name, and
- the second element is #t if the driver supports the function,
- otherwise #f. The function names in the list include those from ODBC 3.0,
- and those from ODBC 2.0 and earlier.
-
- `fn' may also be one of the symbols in the following list of functions.
- In this case, get-functions returns #t if the function is supported,
- #f otherwise.
-
- [ODBC 2.0 and earlier]
- 'sql-api-sqlbindcol
- 'sql-api-sqlcancel
- 'sql-api-sqlconnect
- 'sql-api-sqlgetfunctions
- 'sql-api-sqlgetinfo
- 'sql-api-sqldatasources
- 'sql-api-sqldescribecol
- 'sql-api-sqlgettypeinfo
- 'sql-api-sqldisconnect
- 'sql-api-sqlnumresultcols
- 'sql-api-sqldrivers
- 'sql-api-sqlparamdata
- 'sql-api-sqlprepare
- 'sql-api-sqlexecdirect
- 'sql-api-sqlputdata
- 'sql-api-sqlexecute
- 'sql-api-sqlrowcount
- 'sql-api-sqlfetch
- 'sql-api-sqlsetcursorname
- 'sql-api-sqlfreestmt
- 'sql-api-sqlgetcursorname
- 'sql-api-sqlgetdata
- 'sql-api-sqlcolumns
- 'sql-api-sqlstatistics
- 'sql-api-sqlspecialcolumns
- 'sql-api-sqltables
- 'sql-api-sqlbindparameter
- 'sql-api-sqlnativesql
- 'sql-api-sqlbrowseconnect
- 'sql-api-sqlnumparams
- 'sql-api-sqlprimarykeys
- 'sql-api-sqlcolumnprivileges
- 'sql-api-sqlprocedurecolumns
- 'sql-api-sqldescribeparam
- 'sql-api-sqlprocedures
- 'sql-api-sqldriverconnect
- 'sql-api-sqlsetpos
- 'sql-api-sqlforeignkeys
- 'sql-api-sqltableprivileges
- 'sql-api-sqlmoreresults
-
- [ODBC 3.0]
- 'sql-api-sqlallochandle
- 'sql-api-sqlgetdescfield
- 'sql-api-sqlgetdescrec
- 'sql-api-sqlgetdiagfield
- 'sql-api-sqlclosecursor
- 'sql-api-sqlgetdiagrec
- 'sql-api-sqlcolattribute
- 'sql-api-sqlgetenvattr
- 'sql-api-sqlcopydesc
- 'sql-api-sqlgetstmtattr
- 'sql-api-sqlendtran
- 'sql-api-sqlsetconnectattr
- 'sql-api-sqlfetchscroll
- 'sql-api-sqlfreehandle
- 'sql-api-sqlgetconnectattr
- 'sql-api-sqlsetdescfield
- 'sql-api-sqlsetdescrec
- 'sql-api-sqlsetenvattr
- 'sql-api-sqlsetstmtattr
- 'sql-api-sqlbulkoperations
-
-> (get-connect-attr hdbc attr)
-
- ODBC 3.0.
-
- For the connection handle `hdbc', returns the value of an attribute
- given by the symbol `attr'. The permissible values of `attr' and
- the corresponding ranges of return values are:
-
- 'sql-attr-access-mode 'sql-mode-read-only, 'sql-mode-read-write
- 'sql-attr-async-enable 'sql-async-enable-off, 'sql-async-enable-on
- 'sql-attr-autocommit 'sql-autocommit-off, 'sql-autocommit-on
- 'sql-attr-auto-ipd boolean
- 'sql-attr-connection-dead 'sql-cd-true, 'sql-cd-false
- 'sql-attr-connection-timeout exact integer
- 'sql-attr-current-catalog string
- 'sql-attr-login-timeout exact integer
- 'sql-attr-metadata-id boolean
- 'sql-attr-odbc-cursors 'sql-cur-use-if-needed,
- 'sql-cur-use-odbc,
- 'sql-cur-use-driver
- 'sql-attr-packet-size exact integer
- 'sql-attr-quiet-mode exact integer
- 'sql-attr-trace exact integer
- 'sql-attr-tracefile string
- 'sql-attr-translate-lib string
- 'sql-attr-translate-option exact intger
- 'sql-attr-txn-isolation 'sql-txn-read-uncommitted,
- 'sql-txn-read-committed,
- 'sql-txn-repeatable-read,
- 'sql-txn-serializable
-
- See an ODBC reference for the significance of these connection attributes.
- Driver-specific attributes are not supported.
-
-> (get-connect-option hdbc option)
-
- ODBC 1.0, deprecated in favor of get-connect-attr.
-
- For a connection handle `hdbc', returns the value of the
- connection option specified by the symbol `option'.
- The permisible values of `option' are the same as for `attr' in
- `get-connect-attr'. See `get-connect-attr' for more information.
-
-> (set-connect-attr hdbc attr val)
-
- For a connection handle `hdbc', sets the attribute indicated by the
- symbol `attr' to be `val'. The type of `val' depends on `attr',
- as follows:
-
- 'sql-attr-access-mode 'sql-mode-read-only, 'sql-mode-read-write
- 'sql-attr-async-enable 'sql-async-enable-off, 'sql-async-enable-on
- 'sql-attr-autocommit 'sql-autocommit-off, 'sql-autocommit-on
- 'sql-attr-connection-timeout exact integer
- 'sql-attr-current-catalog string
- 'sql-attr-login-timeout exact integer
- 'sql-attr-metadata-id boolean
- 'sql-attr-odbc-cursors 'sql-cur-use-if-needed,
- 'sql-cur-use-odbc,
- 'sql-cur-use-driver
- 'sql-attr-packet-size exact integer
- 'sql-attr-quiet-mode exact integer
- 'sql-attr-trace exact integer
- 'sql-attr-tracefile string
- 'sql-attr-translate-lib string
- 'sql-attr-translate-option exact intger
- 'sql-attr-txn-isolation 'sql-txn-read-uncommitted,
- 'sql-txn-read-committed,
- 'sql-txn-repeatable-read,
- 'sql-txn-serializable
-
- Returns the value of `hdbc'.
-
- Note that some connection attributes listed in the documentation
- for `get-connect-attr' are not settable. The type boolean
- above indicates that any Scheme value other than #f is
- interpreted as true.
-
- See an ODBC reference for the significance of these connection attributes.
- Driver-specific attributes are not supported.
-
-> (set-connect-option hdbc option val)
-
- ODBC 1.0, deprecated in favor of set-connect-attr.
-
- For a connection handle `hdbc', sets the option indicated by the
- symbol `option' to be `val'. The type of `val' depends on `attr'.
- The permisible values of `option' are the same as for `attr' in
- `set-connect-attr'. See `set-connect-attr' for more information.
- Returns the value of `hdbc'.
-
- Statements and Parameters
- -------------------------
-
-> (prepare hstmt sql)
-
- ODBC 1.0.
-
- Compiles the SQL statement given by the string `sql' for the
- statement handle `hstmt'. Returns the value of `hstmt'. Once
- an SQL statement has been compiled for a statement handle,
- `sql-execute' can be called as many times as desired using that handle.
-
-> (execute hstmt)
-
- ODBC 1.0.
-
- Executes the SQL statement associated with the statement handle
- `hstmt'. The SQL statement must have been compiled using
- `sql-prepare'. When a statement executes, its parameters,
- indicated by ?'s in the SQL text, are replaced by the values
- bound to those parameters. See `bind-parameter' and `bind-param'.
- The value of `hstmt' is returned.
-
-> (exec-direct hstmt sql)
-
- ODBC 1.0.
-
- Compiles and executes the SQL statement `sql', a string, and
- associates that statement with the statement handle `hstmt'.
- When a statement executes, its parameters, indicated by ?'s in
- the SQL text, are replaced by the values bound to those parameters.
- See `bind-parameter' and `bind-param'. The value of `hstmt' is
- returned.
-
-> (native-sql hdbc sql)
-
- ODBC 1.0.
-
- Given a connection handle `hdbc' and an SQL statement `sql', returns
- a string indicating the SQL that would be passed to the
- data source associated with the handle.
-
-> (param-data hstmt)
-
- ODBC 1.0.
-
- Returns the sql-buffer that is bound to the statement handle
- `hstmt'. If no such buffer exists, an error occurs.
-
-> (put-data hstmt buff)
-
- ODBC 1.0.
-
- Given the statement handle `hstmt' and an sql-buffer `buff',
- sends the buffer data to either 1) the parameter associated
- with the statement, or 2) the column associated with the
- statement, for use with bulk-operations or set-pos. Returns the
- value of `hstmt'.
-
-> (cancel hstmt)
-
- ODBC 1.0.
-
- Terminates processing of the statement given by the statement handle
- `hstmt'. Returns the value of `hstmt'.
-
-> (end-tran handle action)
-
- ODBC 3.0.
-
- Requests a commit or rollback for all transactions associated with
- `handle', which may be either an environment handle or a
- connection handle. `action' is one of the symbols
- 'sql-commit or 'sql-rollback. Returns the value of `handle'.
-
-> (transact henv hdbc action)
-
- ODBC 1.0, deprecated in favor of end-tran.
-
- Requests a commit or rollback for all transactions associated with
- either the environment handle `henv' or the connection handle `hdbc'.
- `action' is one of the symbols 'sql-commit or 'sql-rollback.
- If `hdbc' is the symbol 'sql-null-hdbc, the action is performed
- for the environment handle; otherwise, it is performed for the
- connection handle. Returns void.
-
-> (num-params hstmt)
-
- ODBC 1.0.
-
- Returns the number of parameters (placeholders indicated by a ?)
- in the SQL associated with the statement handle `hstmt'.
- The `prepare' procedure must be called before calling this
- procedure.
-
-> (bind-parameter hstmt num param-type sql-type col-size buff ind [digits])
-
- ODBC 2.0.
-
- Associates the sql-buffer `buff' with the parameter (a placeholder
- indicated by ? in an SQL statement) denoted by the statement
- handle `hstmt' and positive integer `num'. The param-type is
- one of the symbols 'sql-param-input, 'sql-param-output, or
- 'sql-param-input-output. `sql-type' is an SQL data type.
- `col-size' is the number of bytes to be sent from the buffer
- to the parameter, or, if `sql-data-type' is any of 'sql-decimal,
- 'sql-numeric, 'sql-float, 'sql-real, or 'sql-double, the number of
- digits of precision used. `ind' is an sql-indicator. The optional
- argument `digits' indicates the number of digits to the right of the
- decimal point, and is used if `sql-data-type' is 'sql-decimal,
- 'sql-numeric, 'sql-time, 'sql-timestamp, 'sql-type-time,
- 'sql-type-timestamp, 'sql-interval-second, 'sql-interval-day-to-second,
- 'sql-interval-hour-to-second, or 'sql-interval-minute-to-second.
- Returns the value of `hstmt'.
-
- The `prepare' procedure must be called before calling `bind-parameter'.
-
-> (param-options hstmt numrows)
-
- ODBC 1.0, deprecated in favor of set-stmt-attr.
-
- For the statement handle `hstmt', indicates to the ODBC driver the
- number of rows associated with each parameter. `numrows' is
- an exact positive integer. Returns the current row number.
-
-> (describe-param hstmt pos)
-
- ODBC 1.0.
-
- For the statement handle `hstmt', returns information about the
- parameter at position `pos', a positive exact integer. The
- returned information is a list consisting of
-
- - a symbol indicating an SQL data type,
- - an exact integer that denotes, depending on the data type,
- either the number of bytes expected by a data source for
- the parameter, or the precision associated with the data type
- - an exact integer denoting the number of trailing decimal digits
- expected in the column or expression associated with the parameter
- - a symbol indicating the parameter may be associated with
- NULLs, either 'sql-no-nulls, 'sql-nullable, or
- 'sql-nullable-unknown.
-
-> (bind-param hstmt num sql-type col-size buff ind [digits])
-
- ODBC 3.0, deprecated in favor of bind-parameter.
-
- Associates the sql-buffer `buff' with the parameter (a placeholder
- indicated by ? in an SQL statement) denoted by the statement
- handle `hstmt' and positive integer `num'. The arguments are as
- for the same-named arguments of procedure `bind-parameter'; some arguments
- are omitted for `bind-param'. Note that `bind-param' always
- assumes an input parameter, unlike `bind-parameter', which takes
- an argument to indicate the parameter type. Returns the value
- of `hstmt'.
-
-> (set-param hstmt num sql-type buff ind)
-
- ODBC 1.0, deprecated in favor of bind-parameter.
-
- Associates the sql-buffer `buff' with the parameter (a placeholder
- indicated by ? in an SQL statement) denoted by the statement
- handle `hstmt' and positive integer `num'. `sql-type' is an SQL
- data type. `ind' is an sql-indicator. Returns the value of
- `hstmt'.
-
-> (get-stmt-attr hstmt attr)
-
- ODBC 3.0.
-
- For the statement handle `hstmt', returns the value of its
- associated attribute `attr'. The statement handle attributes
- and their possible values are:
-
- attr returns
- ---- -------
- 'sql-attr-app-param-desc an APD descriptor handle
- 'sql-attr-app-row-desc an ARD descriptor handle
- 'sql-attr-async-enable 'sql-async-enable-off, or
- 'sql-async-enable-on
- 'sql-attr-concurrency 'sql-concur-read-only, or
- 'sql-concur-lock, or
- 'sql-concur-rowver, or
- 'sql-concur-values
- 'sql-attr-cursor-scrollable 'sql-nonscrollable, or
- 'sql-scrollable
- 'sql-attr-cursor-sensitivity 'sql-insensitive, or
- 'sql-sensitive, or
- 'sql-unspecified
- 'sql-attr-cursor-type 'sql-cursor-forward-only, or
- 'sql-cursor-static, or
- 'sql-cursor-keyset-driven, or
- 'sql-cursor-dynamic
- 'sql-attr-enable-auto-ipd boolean
- 'sql-attr-fetch-bookmark-ptr unsigned integer
- 'sql-attr-imp-param-desc an IPD descriptor handle
- 'sql-attr-imp-row-desc an IRD descriptor handle
- 'sql-attr-keyset-size unsigned integer
- 'sql-attr-max-length unsigned integer
- 'sql-attr-max-rows unsigned integer
- 'sql-attr-metadata-id boolean
- 'sql-attr-noscan 'sql-noscan-off, or
- 'sql-noscan-on
- 'sql-attr-param-bind-offset-ptr sql-boxed-uint
- (see read-boxed-uint, below)
- 'sql-attr-param-bind-type 'sql-param-bind-by-column, or
- unsigned integer
- 'sql-attr-param-operation-ptr sql-op-parms (see read-op-parms, below)
- 'sql-attr-param-status-ptr row-status (see below)
- 'sql-attr-params-processed-ptr sql-boxed-uint
- (see read-boxed-uint, below)
- 'sql-attr-paramset-size unsigned integer
- 'sql-attr-query-timeout unsigned integer
- 'sql-attr-retrieve-data 'sql-rd-on, or
- 'sql-rd-off
- 'sql-attr-row-array-size unsigned integer
- 'sql-attr-row-bind-offset-ptr sql-boxed-uint
- (see read-boxed-uint, below)
- 'sql-attr-row-bind-type 'sql-bind-by-column, or
- unsigned integer
- 'sql-attr-row-number unsigned integer
- 'sql-attr-row-operation-ptr op-parms (see read-op-parms, below)
- 'sql-attr-row-status-ptr row-status (see read-row-status, below)
- 'sql-attr-rows-fetched-ptr sql-boxed-uint
- (see read-boxed-uint, below)
- 'sql-attr-simulate-cursor 'sql-sc-non-unique, or
- 'sql-sc-try-unique, or
- 'sql-sc-unique
- 'sql-attr-use-bookmarks 'sql-ub-off, or
- 'sql-ub-variable, or
- 'sql-ub-on
-
- See an ODBC reference for information about the significance of
- these attributes. The type `sql-boxed-uint' is a Scheme representation
- of a pointer value. See `read-boxed-uint', below.
- An instance of the type `sql-op-parms' is a value that encapsulates an
- array whose elements are either 'sql-param-proceed or
- 'sql-param-ignore. See `read-op-parms', below. An instance
- of the type `sql-row-status' encapsulates an array, one element for
- each parameter in the statement, each with one of the values:
-
- 'sql-param-success
- 'sql-param-success-with-info
- 'sql-param-error
- 'sql-param-unused
- 'sql-param-diag-unavilable
-
-> (get-stmt-option hstmt option)
-
- ODBC 1.0, deprecated in favor of get-stmt-attr.
-
- For the statement handle `hstmt', returns the value of its
- associated `option'. The statement handle options
- and their return values are:
-
- option returns
- ------ -------
- 'sql-async-enable 'sql-async-enable-off, or
- 'sql-async-enable-on
- 'sql-bind-type 'sql-param-bind-by-column, or
- unsigned integer
- 'sql-concurrency 'sql-concur-read-only, or
- 'sql-concur-lock, or
- 'sql-concur-rowver, or
- 'sql-concur-values
- 'sql-cursor-type 'sql-cursor-forward-only, or
- 'sql-cursor-static, or
- 'sql-cursor-keyset-driven, or
- 'sql-cursor-dynamic
- 'sql-keyset-size unsigned integer
- 'sql-max-length unsigned integer
- 'sql-max-rows unsigned integer
- 'sql-noscan 'sql-noscan-off, or
- 'sql-noscan-on
- 'sql-query-timeout unsigned integer
- 'sql-retrieve-data 'sql-rd-on, or
- 'sql-rd-off
- 'sql-rowset-size unsigned integer
- 'sql-simulate-cursor 'sql-sc-non-unique, or
- 'sql-sc-try-unique, or
- 'sql-sc-unique
- 'sql-use-bookmarks 'sql-ub-off, or
- 'sql-ub-variable, or
- 'sql-ub-on
-
- See an ODBC reference for the significance of these options.
-
-> (set-stmt-attr hstmt attr val)
-
- ODBC 3.0.
-
- For the statement handle `hstmt', sets its associated attribute `attr'
- to the value `val'. See `get-stmt-attr' for attributes and
- their possible values. Returns the value of `hstmt'.
-
-> (set-stmt-option hstmt attr val)
-
- ODBC 1.0, deprecated in favor of set-stmt-attr.
-
- For the statement handle `hstmt', sets its associated `option'
- to the value `val'. See `get-stmt-option' for options and
- their possible values. Returns the value of `hstmt'.
-
- Descriptors
- -----------
-
-> (copy-desc hdesc-src hdesc-target)
-
- ODBC 3.0.
-
- Copies information from descriptor handle `hdesc-src' to
- descriptor handle `hdesc-target'. Returns the value of
- `hdesc-src'.
-
-> (get-desc-rec hdesc recnum)
-
- ODBC 3.0.
-
- Given a descriptor handle `hdesc' and record number
- `recnum', a positive exact integer, returns a list
- of values pertaining to the descriptor record. The first
- element of that list is a string, the name of the parameter or column
- associated with the descriptor record; the second element
- is a symbol indicating a concise SQL data type (see SQL data
- types, below); the third element is a symbol that indicates an
- interval subtype for the types 'sql-datetime or 'sql-interval,
- otherwise 'no-subtype; the fourth element is an exact integer
- indicating the byte length of the parameter or column; the fifth
- element is an exact integer indicating the number of digits of
- precision for the parameter or column (only relevant for numeric data
- types); the sixth element is an exact integer indicating the number of
- digits to the right of the decimal point used for data in the
- column or parameter; while the seventh element is one of
- 'sql-no-nulls, 'sql-nullable, or 'sql-nullable-unknown, indicating
- whether the parameter or column may have NULL values.
-
-> (set-desc-rec hdesc recnum type subtype length precision scale buff len ind)
-
- ODBC 3.0.
-
- For the descriptor record denoted by the descriptor handle `hdesc' and
- positive exact integer `recnum', sets its associated information.
- `type' is a symbol indicating a concise SQL or C data type (see SQL data
- types, below); `subtype' is a symbol indicating a subtype for the types
- 'sql-datetime or 'sql-interval, or it may be 'no-subtype;
- `len' is an sql-length (see make-length and read-length, below), which
- should be initialized to the desired length of the column or parameter
- associated with the descriptor record; `ind' is an sql-indicator
- (see Indicators, below). Returns the value of `hdesc'.
-
-> (get-desc-field hdesc recnum field)
-
- ODBC 3.0.
-
- For the descriptor handle `hdesc', returns the value of a field
- in the descriptor record with index `recnum', an integer. `field' is a
- symbol indicating the field within that record.
-
- Valid values of `field' and their return types are listed below.
- Please consult an ODBC reference for the significance of these
- fields.
-
- field returns
- ----- -------
- 'sql-desc-alloc-type integer
- 'sql-desc-array-size unsigned integer
- 'sql-desc-array-status-ptr array status indicator
- 'sql-desc-bind-offset-ptr binding offset
- 'sql-desc-bind-type integer
- 'sql-desc-count integer
- 'sql-desc-rows-processed-ptr rows-processed
- 'sql-desc-auto-unique-value integer
- 'sql-desc-base-column-name string
- 'sql-desc-case-sensitive boolean
- 'sql-desc-concise-type SQL data type
- 'sql-desc-base-table-name string
- 'sql-desc-catalog-name string
- 'sql-desc-data-ptr sql-buffer
- 'sql-desc-datetime-interval-code 'sql-code-date, or
- 'sql-code-time, or
- 'sql-code-timestamp, or
- 'sql-code-day, or
- 'sql-code-day-to-hour, or
- 'sql-code-day-to-minute, or
- 'sql-code-day-to-second, or
- 'sql-code-hour, or
- 'sql-code-hour-to-minute, or
- 'sql-code-hour-to-second, or
- 'sql-code-minute, or
- 'sql-code-minute-to-second, or
- 'sql-code-month, or
- 'sql-code-second, or
- 'sql-code-year, or
- 'sql-code-year-to-month
- 'sql-desc-datetime-interval-precision integer
- 'sql-desc-display-size integer
- 'sql-desc-fixed-prec-scale boolean
- 'sql-desc-indicator-ptr sql-indicator
- 'sql-desc-label string
- 'sql-desc-length unsigned length
- 'sql-desc-literal-prefix string
- 'sql-desc-literal-suffix string
- 'sql-desc-local-type-name string
- 'sql-desc-name string
- 'sql-desc-nullable 'sql-nullable, or
- 'sql-no-nulls, or
- 'sql-nullable-unknown
- 'sql-desc-num-prec-radix integer
- 'sql-desc-octet-length integer
- 'sql-desc-octet-length-ptr octet-length
- 'sql-desc-parameter-type 'sql-param-input, or
- 'sql-param-output, or
- 'sql-param-input-output
- 'sql-desc-precision integer
- 'sql-desc-rowver boolean
- 'sql-desc-scale integer
- 'sql-desc-schema-name string
- 'sql-desc-searchable for ODBC 3.0 or greater:
- 'sql-pred-char, or
- 'sql-pred-basic, or
- 'sql-pred-none, or
- 'sql-pred-searchable
- for earlier versions:
- 'sql-all-except-like, or
- 'sql-like-only, or
- 'sql-searchable, or
- 'sql-unsearchable
- 'sql-desc-table-name string
- 'sql-desc-type SQL data type (except intervals)
- 'sql-desc-type-name string
- 'sql-desc-unnamed 'sql-named or 'sql-unnamed
- 'sql-desc-unsigned boolean
- 'sql-desc-updatable 'sql-attr-readonly, or
- 'sql-attr-write, or
- 'sql-attr-readwrite-unknown
-
-> (set-desc-field hdesc recnum field val)
-
- ODBC 3.0.
-
- For the descriptor handle `hdesc', sets the field indicated
- by the symbol `field' in the record with index `recnum', an integer,
- to the value `val'. See get-desc-field for valid values of
- `field' and corresponding types for `val'. Returns the value of
- `hdesc'.
-
- Cursors
- -------
-
-> (get-cursor-name hstmt)
-
- ODBC 1.0.
-
- Returns a string naming the cursor associated with the statement
- handle `hstmt'.
-
-> (set-cursor-name hstmt name)
-
- ODBC 1.0.
-
- Assigns the string `name' as the name of the cursor associated with
- the statement handle `hstmt'. Returns the value of `hstmt'.
-
-> (close-cursor hstmt)
-
- ODBC 3.0.
-
- Closes the cursor associated with the statement handle `hstmt',
- discarding any pending results. Returns the value of `hstmt'.
-
- Columns and data retrieval
- -------------------------------
-
- Data in a relational database is organized into tables consisting
- of rows and columns. A column corresponds to a field in the
- database. A row is an individual data record.
-
-> (num-result-cols hstmt)
-
- ODBC 1.0.
-
- Returns the number of data columns in the data set associated with
- the statement handle `hstmt'.
-
-> (describe-col hstmt colnum)
-
- ODBC 1.0.
-
- Given the statement handle `hstmt' and the exact integer `colnum',
- indicating a column number, returns a list of information describing
- a column in a data set. The first element in the list is a
- string giving the name of the column; the second element is a
- symbol indicating its SQL data type (see SQL data types, below);
- the third element is the maximum byte length of data for the
- column; the fourth element is either the number of digits to the right
- of the decimal point, for relevant data types (see SQL data types),
- otherwise 0; the fifth element is a symbol indicating whether the column
- accepts NULL entries, either 'sql-no-nulls, 'sql-nullable, or
- 'sql-nullable-unknown.
-
-> (col-attribute hstmt colnum attr)
-
- ODBC 3.0.
-
- Given the statement handle `hstmt', an exact integer `colnum',
- indicating a column number, and the symbol `attr', indicating a
- column attribute, returns the value of the column attribute.
- Columns are numbered starting at 1. The attributes and their
- associated types are
-
- attr returns
- ---- -------
- 'sql-desc-count integer
- 'sql-desc-auto-unique-value boolean
- 'sql-desc-base-column-name string
- 'sql-desc-base-table-name string
- 'sql-desc-case-sensitive boolean
- 'sql-desc-catalog-name string
- 'sql-desc-concise-type SQL data type
- 'sql-desc-data-ptr sql-buffer
- 'sql-desc-display-size integer
- 'sql-desc-fixed-prec-scale boolean
- 'sql-desc-label string
- 'sql-desc-length integer
- 'sql-desc-literal-prefix string
- 'sql-desc-literal-suffix string
- 'sql-desc-local-type-name string
- 'sql-desc-name string
- 'sql-desc-nullable 'sql-nullable, or
- 'sql-no-nulls, or
- 'sql-nullable-unknown
- 'sql-desc-num-prec-radix integer
- 'sql-desc-octet-length integer
- 'sql-desc-precision integer
- 'sql-desc-scale integer
- 'sql-desc-schema-name string
- 'sql-desc-searchable ODBC 3.0 or greater:
- 'sql-pred-char, or
- 'sql-pred-basic, or
- 'sql-pred-none, or
- 'sql-pred-searchable
- earlier versions of ODBC:
- 'sql-like-only, or
- 'sql-all-except-like, or
- 'sql-searchable, or
- 'sql-unsearchable
- 'sql-desc-table-name string
- 'sql-desc-type concise SQL data type
- 'sql-desc-type-name string
- 'sql-desc-unnamed 'sql-named, or
- 'sql-unnamed
- 'sql-desc-unsigned boolean
- 'sql-desc-updatable 'sql-attr-readonly, or
- 'sql-attr-write, or
- 'sql-attr-readwrite-unknown
-
-> (col-attributes hstmt colnum attr)
-
- ODBC 1.0, deprecated in favor of col-attribute.
-
- Given the statement handle `hstmt', an exact integer `colnum',
- indicating a column number, and the symbol `attr', indicating a
- column attribute, returns the value of the column attribute.
- Columns are numbered starting at 1. The attributes and their
- associated types are
-
- attr returns
- ---- -------
- 'sql-column-count integer
- 'sql-column-name string
- 'sql-column-type SQL data type
- 'sql-column-length integer
- 'sql-column-precision integer
- 'sql-column-scale integer
- 'sql-column-display-size integer
- 'sql-column-nullable 'sql-no-nulls, or
- 'sql-nullable
- 'sql-column-unsigned boolean
- 'sql-column-money boolean
- 'sql-column-updatable 'sql-attr-readonly, or
- 'sql-attr-write, or
- 'sql-attr-readwrite-unknown
- 'sql-column-auto-increment boolean
- 'sql-column-case-sensitive boolean
- 'sql-column-searchable 'sql-searchable, or
- 'sql-like-only, or
- 'sql-all-except-like, or
- 'sql-unsearchable
- 'sql-column-type-name string
- 'sql-column-table-name string
- 'sql-column-owner-name string
- 'sql-column-qualifier-name string
- 'sql-column-label string
-
-> (bind-col hstmt colnum buff ind)
-
- ODBC 1.0.
-
- Associates the sql-buffer `buff' and sql-indicator `ind'
- with a column of data denoted by the statement handle `hstmt'
- and column numer `colnum', an integer. Returns the value
- of `hstmt'.
-
-> (fetch hstmt)
-
- ODBC 1.0.
-
- Retrieves data in the current row of the data set for
- the statement handle `hstmt' into the sql-buffers
- bound to the data set's columns, and sets the columns'
- associated sql-indicator's. Returns the value of `hstmt'.
- For columns without bound sql-buffers, `get-data' can be used
- to retrieve data following a `fetch'.
-
-> (get-data hstmt colnum buff ind)
-
- Retrieves data in the current row of the data set for
- the column denoted by the statement handle `hstmt'
- and column number `colnum', an integer, into the sql-buffer
- `buff' and sets the sql-indicator `ind'. Returns the value of
- `hstmt'. `get-data' allows column data to be retrieved without
- binding columns to buffers.
-
-> (fetch-scroll hstmt orient [rownum])
-
- ODBC 3.0.
-
- Fetches multiple rows of data in a data set associated with
- the statement handle `hstmt'. `orient' indicates which rows
- to fetch, and may be one of the symbols
-
- 'sql-fetch-first first rowset
- 'sql-fetch-next next rowset
- 'sql-fetch-prior previous rowset
- 'sql-fetch-last last rowset
- 'sql-fetch-absolute rowset starting at `rownum'
- 'sql-fetch-relative rowset relative to current,
- using `rownum' (may be negative)
- 'sql-fetch-bookmark rowset relative to
- 'sql-attr-fetch-bookmark-ptr
- statement attribute
-
- fetch-scroll returns the value of `hstmt'. The size of rowsets is
- specified by the 'sql-attr-rowset-size statement attribute (see
- `get-stmt-attr' and `set-stmt-attr'). See an ODBC reference for more
- information on using rowsets.
-
-> (set-scroll-options hstmt concurrency keyset size)
-
- ODBC 1.0, deprecated in favor of get-info and set-stmt-attr.
-
- Sets cursor scrolling options for the statement handle
- `hstmt'. `concurrency' is one of
-
- 'sql-concur-read-only updates and deletes not permitted
- 'sql-concur-lock updates and deletes permitted
- 'sql-concur-rowver compares row versions for concurrency
- control
- 'sql-concur-values compares values for concurrency control
-
- `keyset' is one of
-
- 'sql-scroll-forward-only only forward scrolling
- 'sql-scroll-static no scrolling
- 'sql-scroll-keyset-driven cursor uses keys for scrolling
- 'sql-scroll-dynamic use `size' parameter for keyset size
-
- `size', a nonnegative exact integer, gives the size of
- rowsets when using `extended-fetch'. Returns the value of `hstmt'.
-
-> (extended-fetch hstmt orientation [rownum])
-
- ODBC 1.0, deprecated in favor of fetch-scroll.
-
- Retrieves a rowset from a result data set for the statement handle
- `hstmt' and returns a row-status value (see Row Status, below).
- `orientation' indicates which rowset is to be retrieved, one of
-
- 'sql-fetch-first first rowset in the data set
- 'sql-fetch-next next rowset in the data set
- 'sql-fetch-prior prior rowset in the data set
- 'sql-fetch-last last rowset in the data set
- 'sql-fetch-absolute fetches the rowset starting at the row
- given by `rownum'
- 'sql-fetch-relative fetches the rowset `rownum' rows from
- the start row of the current rowset
- 'sql-fetch-bookmark fetches the rowset, interpreting
- `rownum' as a bookmark
-
- The `rownum' argument is an integer, which may be negative.
- It must be provided if `orientation' is in 'sql-fetch-absolute,
- 'sql-fetch-relative, or 'sql-fetch-bookmark, and must be omitted
- otherwise.
-
-> (more-results hstmt)
-
- ODBC 1.0.
-
- Retrieves the next data set for the statement handle `hstmt', whose
- value is returned by the procedure. `more-results', which moves between
- data sets, is distinguished from procedures such as `fetch', which return
- results within data sets.
-
-> (set-pos hstmt rownum operation lock)
-
- ODBC 1.0.
-
- Sets a cursor position for the statement handle `hstmt'
- and updates the data source. `rownum', a nonnegative exact
- integer, specifies the ordinal position of the row within the
- current rowset where `operation' is to occur. A value of 0
- indicates that the operation is to occur on every row in the
- rowset.
-
-`operation' is one of
-
- 'sql-position positions the cursor at the indicated row
- 'sql-refresh refreshes data in buffers associated with
- the rowset indicated by `rownum'
- 'sql-add a new row is added to the data source (but see below)
- 'sql-update data in buffers is used to update the rowset
- 'sql-delete deletes the indicated row from the data source
-
- `set-pos' with 'sql-add is deprecated in favor of `bulk-operations'
- with 'sql-add.
-
- `lock' indicates the lock status for the row or rows after the
- operation is performed, one of
-
- 'sql-lock-no-change use lock status before operation performed
- 'sql-lock-exclusive no other application or connection can
- access
- 'sql-lock-unlock no lock restrictions on access
-
- set-pos returns the value of `hstmt'.
-
-> (bulk-operations hstmt operation)
-
- ODBC 3.0.
-
- Performs bulk inserts and bulk bookmark operations on the data source
- associated with the statement handle `hstmt'. `operation' may
- be one of
-
- 'sql-add adds new rows
- 'sql-update-by-bookmark updates rows identified by a bookmark
- 'sql-delete-by-bookmark deletes rows identified by a bookmark
- 'sql-fetch-by-bookmark retrieves rows identified by a bookmark
-
- Returns the value of `hstmt'.
-
- The details of using bulk-operations are beyond the scope of this
- documentation. Consult an ODBC reference for more information.
-
-> (row-count hstmt)
-
- ODBC 1.0.
-
- For the data source associated with the statement handle `hstmt',
- returns the number of rows affected by the most recent INSERT,
- UPDATE, or DELETE operation.
-
- Metadata
- --------
-
-> (column-privileges hstmt catalog schema table column)
-
- Creates a result data set describing column privileges in the current
- data source. There are at least eight columns in the resulting data set; a
- driver may add columns. The contents of those columns are beyond the scope
- of this documentation; consult an ODBC reference for details.
-
- `hstmt' is a statement handle, and its value is returned by the
- procedure. `catalog', `schema', `table', and `column' are strings.
- `column' may contain an underscore "_" indicating a single-character
- wildcard, or a percent sign "%", which matches zero or more characters.
-
-> (columns hstmt catalog schema table column)
-
- Creates a result data set describing columns in the current data source.
- There are at least eighteen columns in the resulting data set; a
- driver may add columns. The contents of those columns are beyond the scope
- of this documentation; consult an ODBC reference for details.
-
- `hstmt' is a statement handle, whose value is returned by the procedure.
- `catalog', `schema', `table', and `column' are strings. `table' and
- `column' may contain an underscore "_" indicating a single-character
- wildcard, or a percent sign "%", which matches zero or more characters.
-
-> (foreign-keys hstmt catalog schema table fk-catalog fk-schema fk-table)
-
- ODBC 1.0.
-
- Creates a result data set containing foreign key information for the
- specified table. There are fourteen ODBC-defined columns in the resulting
- data set; a driver may add columns. The contents of those columns are beyond
- the scope of this documentation; consult an ODBC reference for details.
-
- `hstmt' is a statement handle; its value is returned by the procedure.
- `catalog', `schema', `table', `fk-catalog', `fk-schema', and `fk-table'
- are all strings. `catalog', `schema', and `table' specify a table
- containing a primary key, while `fk-catalog', `fk-schema', and `fk-table'
- specify a table containing a foreign key.
-
-> (get-type-info hstmt type)
-
- ODBC 1.0.
-
- Given a statement handle `hstmt' and a symbol `type' indicating an
- SQL data type (see SQL data types, below), creates a result data set
- describing support for that data type in the current data source.
- Returns the value of `hstmt'. There are at least nineteen columns in
- the resulting data set; a driver may add columns. The contents of
- those columns are beyond the scope of this documentation; consult an
- ODBC reference for details.
-
-> (primary-keys hstmt catalog schema table)
-
- ODBC 1.0.
-
- Creates a result data set containing the column names that make up the
- primary key for a table. There are up to six ODBC-defined columns in
- the resulting data set; a driver may add columns. The contents of those
- columns are beyond the scope of this documentation; consult an ODBC
- reference for details.
-
- `hstmt' is a statement handle; its value is returned by the procedure.
- `catalog', `schema', and `table' are strings.
-
-> (procedure-columns hstmt catalog schema name column)
-
- ODBC 1.0.
-
- Creates a result data set containing the input and output parameters and
- columns associated with registered procedures in the current data source.
- There are nineteen ODBC-defined columns in the resulting data set; a
- driver may add columns. The contents of those columns are beyond the
- scope of this documentation; consult an ODBC reference for details.
-
- `hstmt' is a statement handle; its value is returned by the procedure.
- `catalog', `schema', `name', and `column' are strings. `name' indicates
- a procedure name, while `column' is a column name. `schema', `name', and
- `column' may contain an underscore "_" indicating a single-character
- wildcard, or a percent sign "%", which matches zero or more characters.
-
-> (procedures hstmt catalog schema name)
-
- ODBC 1.0.
-
- Creates a result data set containing the registered procedure names in the
- current data source. There are eight ODBC-defined columns in the
- resulting data set; a driver may add columns. The contents of those
- columns are beyond the scope of this documentation; consult an ODBC
- reference for details.
-
- `hstmt' is a statement handle; its value is returned by the procedure.
- `catalog', `schema', and `name' are strings. `name' indicates a procedure
- name. Both `schema' and `name' may contain an underscore "_" indicating
- a single-character wildcard, or a percent sign "%", which matches zero or
- more characters.
-
-> (table-privileges hstmt catalog schema table)
-
- ODBC 1.0.
-
- Creates a result data set describing tables in the system catalog.
- Such a data set consists of at least seven string columns, consisting of
- a catalog name, a schema name, a table name, the grantor of
- table privileges, the grantee, the name of the privilege, and
- a string indicating whether the grantee may transfer the privilege.
- Valid privilege names are "SELECT", "INSERT", "UPDATE", and "DELETE".
- The seventh column is either "YES", "NO", or a NULL. Drivers may
- add additional columns.
-
- `hstmt' is a statement handle; its value is returned by the procedure.
-
- `catalog', `schema', and `table' are strings to be matched when
- searching the system catalog. An underscore "_" indicates a
- single-character wildcard; a percent sign "%" matches zero or more
- characters.
-
-> (tables hstmt catalog schema table table-type)
-
- ODBC 1.0.
-
- Creates a result data set giving information about the tables
- in the database system catalog. Such a data set may be
- processed as ordinary data. The result data set has at least five
- string columns, consisting of the catalog name, schema name, table
- name, table type, and descriptive remarks. Drivers may add additional
- columns.
-
- `hstmt' is a statement handle, and its value is returned by the
- procedure.
-
- `catalog', `schema', `table', and `table-type' are strings
- to be matched when searching the system catalog. `catalog' and
- `schema' may be empty strings for unnamed catalogs and schemas.
- In `catalog', `schema', and `table', an underscore "_" may be used
- as a single-character wildcard, while a percent sign "%" may be
- used to match zero or more arbitrary characters.
-
- The following remarks apply only to ODBC 3.0 or greater:
-
- `catalog' may also be the symbol 'sql-all-catalogs. In that case,
- if `schema' and `table' are empty strings, the result data set consists
- of valid catalog names (the other columns are NULL's).
-
- `schema' may also be the symbol 'sql-all-schemas. In that case, if
- `catalog' and `table' are empty strings, the result data set
- consists of valid schema names (the other columns are NULL's).
-
- `table-type' may also be the symbol 'sql-all-table-types. In that case,
- if `catalog', `schema, and `table' are empty strings, the result data set
- consists of valid table type names (the other columns are NULL's).
-
- End of ODBC 3.0-or-greater-specific remarks.
-
- Other factors may affect the result data set. Please consult an
- ODBC reference for more details.
-
-> (special-columns hstmt rowid catalog schema table scope nullable)
-
- ODBC 1.0.
-
- Creates a result data set describing primary key information in a
- given table. There may be up to eight ODBC-defined columns in the
- resulting data set; a driver may add columns. The contents of those
- columns are beyond the scope of this documentation; consult an ODBC
- reference for details.
-
- `hstmt' is a statement handle, and its value is returned by the
- procedure. `rowid' is either 'sql-best-rowid, indicating that the
- result data set contains a column or columns that uniquely identify
- a row in a table; or 'sql-rowver, indicating that the result data set
- contains those columns that are automatically updated when a row value
- is updated by a transaction. `catalog', `schema', and `table' are
- strings. `scope' is either 'sql-scope-currow, indicating that the primary
- key sought is for the current row, or 'sql-scope-transaction, indicating
- that the primary key applies to the current transaction. `nullable' is
- either 'sql-no-nulls, which excludes columns in the result data set that
- may contain NULL, or 'sql-nullable, which allows such columns.
-
-> (statistics hstmt catalog schema table index-type accuracy)
-
- ODBC 1.0.
-
- Creates a result data set describing statistics about a table and its
- indexes. There are thirteen ODBC-defined columns in the resulting data
- set; a driver may add columns. The contents of those columns are beyond
- the scope of this documentation; consult an ODBC reference for details.
-
- `hstmt' is a statement handle, and its value is returned by the
- procedure. `catalog', `schema', and `table' are strings.
- `index-type' is either 'sql-index-unique, indicating that only unique
- indexes are to be considered, or 'sql-index-all, indicating that all
- indexes are to be considered. `accuracy' is either 'sql-quick, indicating
- that readily-available but perhaps stale data may be used when generating
- the data set, or 'sql-ensure, indicating that only up-to-date data is used.
-
- Errors and Diagnostics
- ----------------------
-
-> (get-diag-field handle recnum field)
-
- ODBC 3.0.
-
- Returns the value of an individual field of a diagnostic header
- record or status record. The type of the value depends on the field.
-
- `handle' may be an environment handle, connection handle, statement
- handle, or descriptor handle. `recnum' is a positive integer indicating
- which record contains the field. `field' is a symbol, as listed below.
-
- Please consult an ODBC reference for information on the significance
- of individual fields. The valid values for `field' and their corresponding
- return types are:
-
- field returns
- ----- -------
- 'sql-diag-dynamic-function string
- 'sql-diag-connection-name string
- 'sql-diag-class-origin string
- 'sql-diag-message-text string
- 'sql-diag-server-name string
- 'sql-diag-sqlstate string
- 'sql-diag-subclass-origin string
- 'sql-diag-cursor-row-count integer
- 'sql-diag-dynamic-function-code integer
- 'sql-diag-number integer
- 'sql-diag-row-count integer
- 'sql-diag-column-number 'sql-no-column-number, or
- 'sql-column-number-unknown, or
- integer
- 'sql-diag-native integer
- 'sql-diag-row-number 'sql-no-row-number, or
- 'sql-row-number-unknown, or
- integer
- 'sql-diag-returncode 'sql-success, or
- 'sql-no-data, or
- 'sql-invalid-handle, or
- 'sql-error, or
- 'sql-need-data, or
- 'sql-success-with-info
-
-> (get-diag-rec handle recnum)
-
- ODBC 3.0.
-
- Returns a three-element list that describes the last ODBC error,
- as indicated by the exn-error, exn-with-info, or exn-no-data
- exceptions.
-
- The first element of the list is a five-character string indicating
- an SQL state. The second element of the list is an integer
- indicating an error code specific to the data source. The third
- element is a string describing the error. See an ODBC reference
- for more information on SQL states.
-
- `handle' may be an environment handle, connection handle, statement
- handle, or descriptor handle. `recnum' is a positive integer
- indicating a status record index.
-
-> (sql-error henv hdbc hstmt)
-
- ODBC 1.0, deprecated in favor of get-diag-rec.
-
- Returns a three-element list that describes the last ODBC error,
- as indicated by the exn-error, exn-with-info, or exn-no-data
- exceptions.
-
- The first element of the list is a five-character string indicating
- an SQL state. The second element of the list is an integer
- indicating an error code specific to the data source. The third
- element is a string describing the error. See an ODBC reference
- for more information on SQL states.
-
- `henv' is an environment handle. `hdbc' is ordinarily a connection
- handle, and `hstmt' is ordinarily a statement handle. For information
- about `henv', pass the symbol 'sql-null-hdbc for `hdbc' and the
- symbol 'sql-null-hstmt for `hstmt'. For information about `hdbc',
- when it is a connection handle, pass 'sql-null-hstmt for `hstmt'.
-
- Utilities
- ---------
-
-> (make-indicator)
-
- Creates an sql-indicator.
-
-> (read-indicator an-sql-indicator)
-
- Given an sql-indicator, returns its stored value, which is
- one of 'sql-no-total, 'sql-null-data, 'sql-nts, 'sql-column-ignore,
- 'sql-data-at-exec, a pair consisting of 'sql-len-data-at-exec
- and an integer, or an integer.
-
- Please consult an ODBC reference for the significance of these
- values.
-
-> (make-length [n])
-
- Creates an sql-length. `n' is an exact integer, which defaults to 0.
-
-> (read-length an-sql-length)
-
- Given an sql-length, returns its stored value, which is
- an integer.
-
-> (make-buffer c-type num-elts)
-
- Creates an sql-buffer. `c-type' is a symbol denoting a C data type
- (see "C data types", below) indicating the size of buffer elements.
- `num-elts' is a nonnegative exact integer indicating the number
- of buffer elements.
-
- It is the responsibility of the programmer to make sure that
- buffers bound to columns have the correct type and adequate
- size for the column. If a column has the incorrect type or
- is too small, unpredictable effects may occur.
-
-> (read-buffer sql-buffer)
-
- Returns the contents of an sql-buffer. For a buffer of type
- 'sql-c-char or 'sql-c-wchar, a string is returned. For all other
- types, a list of values of appropriate type is returned. In the
- case of 'sql-c-wchar, an error occurs if the buffer contains
- a character not representable as an ordinary character.
-
- SrPersist provides no guarantees that a buffer contains valid data.
-
-> (write-buffer sql-buffer vals)
-
- Updates the contents of an sql-buffer. The type of `vals'
- depends on the C type used to create the buffer. Also, if
- `vals' is a list, its length should depend on the size of
- `sql-buffer'. For a type of 'sql-c-char or 'sql-c-wchar, `vals'
- should be a string. For all other types, `vals' should be a a list
- of values of appropriate Scheme type. If the type of `vals' is
- incorrect, an error occurs. If `vals' is a string that is longer
- than the number of elements in `sql-buffer', or `vals' is a list
- longer than the number of elements in `sql-buffer', an error
- occurs.
-
-> (read-row-status an-sql-row-status)
-
- Given an sql-row-status value, returns a list, each element of which
- is one of 'sql-row-deleted, 'sql-row-error, 'sql-row-success, or
- 'sql-row-updated.
-
-> (read-op-parms an-sql-op-parms)
-
- Available when compiled for ODBC 3.0 or greater.
-
- Given an sql-op-parms value, returns a list, each element of which
- is either 'sql-param-proceed or 'sql-param-ignore.
-
-> (read-boxed-uint an-sql-boxed-uint)
-
- Given an sql-boxed-uint, returns an unsigned integer value.
-
- SQL data types
- --------------
-
- Data stored in data source have SQL data types. In contrast,
- data in sql-buffer's have C data types.
-
- The significance of most of these types should be clear. Consult
- an ODBC reference for more details.
-
- 'sql-char
- 'sql-varchar
- 'sql-longvarchar
- 'sql-wchar
- 'sql-wvarchar
- 'sql-wlongvarchar
- 'sql-date
- 'sql-time
- 'sql-timestamp
- 'sql-decimal
- 'sql-numeric
- 'sql-smallint
- 'sql-integer
- 'sql-real
- 'sql-float
- 'sql-double
- 'sql-bit
- 'sql-tinyint
- 'sql-bigint
- 'sql-binary
- 'sql-varbinary
- 'sql-longvarbinary
- 'sql-interval-year
- 'sql-interval-year-to-month
- 'sql-interval-hour
- 'sql-interval-minute
- 'sql-interval-day-to-hour
- 'sql-interval-day-to-minute
- 'sql-interval-day-to-second
- 'sql-interval-hour-to-minute
- 'sql-interval-hour-to-second
- 'sql-interval-minute-to-second
-
- [ODBC 3.0 and greater]
- 'sql-type-date
- 'sql-type-time
- 'sql-type-timestamp
-
- [ODBC 3.5 and greater]
- 'sql-guid
-
- C data types
- ------------
-
- Data in sql-buffer's have C data types. In contrast, data stored in
- data sources have SQL data types.
-
- The significance of most of these types should be clear. Consult
- an ODBC reference for more details.
-
- 'sql-c-char
- 'sql-c-wchar
- 'sql-c-long
- 'sql-c-short
- 'sql-c-float
- 'sql-c-double
- 'sql-c-date
- 'sql-c-time
- 'sql-c-timestamp
- 'sql-c-binary
- 'sql-c-bit
- 'sql-c-tinyint
- 'sql-c-slong
- 'sql-c-sshort
- 'sql-c-stinyint
- 'sql-c-ulong
- 'sql-c-ushort
- 'sql-c-utinyint
- 'sql-c-bookmark
-
- [ODBC 3.0 or greater]
- 'sql-c-numeric
- 'sql-c-timestamp
- 'sql-c-type-timestamp
- 'sql-c-type-date
- 'sql-c-type-time
- 'sql-c-interval-year
- 'sql-c-interval-month
- 'sql-c-interval-day
- 'sql-c-interval-hour
- 'sql-c-interval-minute
- 'sql-c-interval-second
- 'sql-c-interval-year-to-month
- 'sql-c-interval-day-to-hour
- 'sql-c-interval-day-to-minute
- 'sql-c-interval-day-to-second
- 'sql-c-interval-hour-to-minute
- 'sql-c-interval-hour-to-second
- 'sql-c-interval-minute-to-second
- 'sql-c-sbigint
- 'sql-c-ubigint
- 'sql-c-varbookmark
-
- [ODBC 3.5 or greater]
- 'sql-c-guid
-
diff --git a/collects/srpersist/info.ss b/collects/srpersist/info.ss
deleted file mode 100644
index 675a9f96..00000000
--- a/collects/srpersist/info.ss
+++ /dev/null
@@ -1,19 +0,0 @@
-;; info.ss for srpersist collection
-
-;; no .zo compilation necessary, since all the
-;; real code is in C++
-
-(lambda (request failure-thunk)
- (case request
- [(name) "SrPersist"]
- [(compile-prefix) void]
- [(compile-omit-files)
- '("info.ss"
- "sigs.ss"
- "invoke-1.0.ss"
- "invoke-2.0.ss"
- "invoke-3.0.ss"
- "invoke-3.5.ss"
- "srpersist.ss"
- "srpersistu.ss")]
- [else (failure-thunk)]))
diff --git a/collects/srpersist/invoke-1.0.ss b/collects/srpersist/invoke-1.0.ss
deleted file mode 100644
index 9e5e0c7c..00000000
--- a/collects/srpersist/invoke-1.0.ss
+++ /dev/null
@@ -1,3 +0,0 @@
-(define-values/invoke-unit/sig
- srpersist:odbc-1.0^
- srpersist@)
diff --git a/collects/srpersist/invoke-2.0.ss b/collects/srpersist/invoke-2.0.ss
deleted file mode 100644
index ebb9ce67..00000000
--- a/collects/srpersist/invoke-2.0.ss
+++ /dev/null
@@ -1,3 +0,0 @@
-(define-values/invoke-unit/sig
- srpersist:odbc-2.0^
- srpersist@)
\ No newline at end of file
diff --git a/collects/srpersist/invoke-3.0.ss b/collects/srpersist/invoke-3.0.ss
deleted file mode 100644
index 5dd02686..00000000
--- a/collects/srpersist/invoke-3.0.ss
+++ /dev/null
@@ -1,3 +0,0 @@
-(define-values/invoke-unit/sig
- srpersist:odbc-3.0^
- srpersist@)
diff --git a/collects/srpersist/invoke-3.5.ss b/collects/srpersist/invoke-3.5.ss
deleted file mode 100644
index b60c92d4..00000000
--- a/collects/srpersist/invoke-3.5.ss
+++ /dev/null
@@ -1,4 +0,0 @@
-(define-values/invoke-unit/sig
- srpersist:odbc-3.5^
- srpersist@)
-
diff --git a/collects/srpersist/sigs.ss b/collects/srpersist/sigs.ss
deleted file mode 100644
index 96b4210f..00000000
--- a/collects/srpersist/sigs.ss
+++ /dev/null
@@ -1,327 +0,0 @@
-;; sigs.ss for srpersist collection
-
-(define-signature srpersist:odbc-1.0^
-
- ; utility
-
- (make-length
- read-length
- make-indicator
- read-indicator
- set-indicator
- read-row-status
- make-buffer
- read-buffer
- write-buffer
-
- ; ODBC procedures
-
- alloc-connect
- alloc-env
- alloc-stmt
- bind-col
- cancel
- columns
- connect
- data-sources
- describe-col
- disconnect
- sql-error
- exec-direct
- execute
- fetch
- free-connect
- free-env
- free-stmt
- get-connect-option
- get-cursor-name
- get-data
- get-functions
- get-info
- get-stmt-option
- get-type-info
- num-result-cols
- param-data
- prepare
- put-data
- row-count
- set-connect-option
- set-cursor-name
- set-param
- set-stmt-option
- special-columns
- statistics
- tables
- transact
- driver-connect
- browse-connect
- col-attributes
- column-privileges
- describe-param
- extended-fetch
- foreign-keys
- more-results
- native-sql
- num-params
- param-options
- primary-keys
- procedure-columns
- procedures
- set-pos
- table-privileges
- set-scroll-options
-
- ; implementation of ODBC macro
-
- len-binary-attr
-
- ; structures
-
- struct:sql-date
- make-sql-date
- sql-date?
- sql-date-year
- set-sql-date-year!
- sql-date-month
- set-sql-date-month!
- sql-date-day
- set-sql-date-day!
- struct:sql-time
- make-sql-time
- sql-time?
- sql-time-hour
- set-sql-time-hour!
- sql-time-minute
- set-sql-time-minute!
- sql-time-second
- set-sql-time-second!
- struct:sql-timestamp
- make-sql-timestamp
- sql-timestamp?
- sql-timestamp-year
- set-sql-timestamp-year!
- sql-timestamp-month
- set-sql-timestamp-month!
- sql-timestamp-day
- set-sql-timestamp-day!
- sql-timestamp-hour
- set-sql-timestamp-hour!
- sql-timestamp-minute
- set-sql-timestamp-minute!
- sql-timestamp-second
- set-sql-timestamp-second!
- sql-timestamp-fraction
- set-sql-timestamp-fraction!
-
- ; exceptions
-
- struct:exn-with-info
- make-exn-with-info
- exn-with-info?
- exn-with-info-val
- set-exn-with-info-val!
- struct:exn-invalid-handle
- make-exn-invalid-handle
- exn-invalid-handle?
- struct:exn-error
- make-exn-error
- exn-error?
- struct:exn-need-data
- make-exn-need-data
- exn-need-data?
- exn-need-data-val
- set-exn-need-data-val!
- struct:exn-still-executing
- make-exn-still-executing
- exn-still-executing?))
-
-(define-signature srpersist:odbc-2.0^
-
- ;; ODBC procedures
-
- ((open srpersist:odbc-1.0^)
- bind-parameter
- drivers))
-
-
-(define-signature srpersist:odbc-3.0^
-
- ((open srpersist:odbc-2.0^)
-
- ;; utility
-
- read-op-parms
-
- ;; ODBC procedures
-
- alloc-handle
- bind-param
- bulk-operations
- close-cursor
- col-attribute
- copy-desc
- end-tran
- fetch-scroll
- free-handle
- get-connect-attr
- get-desc-field
- get-desc-rec
- get-diag-field
- get-diag-rec
- get-env-attr
- get-stmt-attr
- set-connect-attr
- set-desc-field
- set-desc-rec
- set-env-attr
- set-stmt-attr
-
- ;; structures
-
- struct:sql-numeric
- make-sql-numeric
- sql-numeric?
- sql-numeric-precision
- set-sql-numeric-precision!
- sql-numeric-scale
- set-sql-numeric-scale!
- sql-numeric-sign
- set-sql-numeric-sign!
- sql-numeric-val
- set-sql-numeric-val!
- struct:sql-year-interval
- make-sql-year-interval
- sql-year-interval?
- sql-year-interval-sign
- set-sql-year-interval-sign!
- sql-year-interval-year
- set-sql-year-interval-year!
- struct:sql-month-interval
- make-sql-month-interval
- sql-month-interval?
- sql-month-interval-sign
- set-sql-month-interval-sign!
- sql-month-interval-month
- set-sql-month-interval-month!
- struct:sql-day-interval
- make-sql-day-interval
- sql-day-interval?
- sql-day-interval-sign
- set-sql-day-interval-sign!
- sql-day-interval-day
- set-sql-day-interval-day!
- struct:sql-hour-interval
- make-sql-hour-interval
- sql-hour-interval?
- sql-hour-interval-sign
- set-sql-hour-interval-sign!
- sql-hour-interval-hour
- set-sql-hour-interval-hour!
- struct:sql-minute-interval
- make-sql-minute-interval
- sql-minute-interval?
- sql-minute-interval-sign
- set-sql-minute-interval-sign!
- sql-minute-interval-minute
- set-sql-minute-interval-minute!
- struct:sql-second-interval
- make-sql-second-interval
- sql-second-interval?
- sql-second-interval-sign
- set-sql-second-interval-sign!
- sql-second-interval-second
- set-sql-second-interval-second!
- struct:sql-year-to-month-interval
- make-sql-year-to-month-interval
- sql-year-to-month-interval?
- sql-year-to-month-interval-sign
- set-sql-year-to-month-interval-sign!
- sql-year-to-month-interval-year
- set-sql-year-to-month-interval-year!
- sql-year-to-month-interval-month
- set-sql-year-to-month-interval-month!
- struct:sql-day-to-hour-interval
- make-sql-day-to-hour-interval
- sql-day-to-hour-interval?
- sql-day-to-hour-interval-sign
- set-sql-day-to-hour-interval-sign!
- sql-day-to-hour-interval-day
- set-sql-day-to-hour-interval-day!
- sql-day-to-hour-interval-hour
- set-sql-day-to-hour-interval-hour!
- struct:sql-day-to-minute-interval
- make-sql-day-to-minute-interval
- sql-day-to-minute-interval?
- sql-day-to-minute-interval-sign
- set-sql-day-to-minute-interval-sign!
- sql-day-to-minute-interval-day
- set-sql-day-to-minute-interval-day!
- sql-day-to-minute-interval-hour
- set-sql-day-to-minute-interval-hour!
- sql-day-to-minute-interval-minute
- set-sql-day-to-minute-interval-minute!
- struct:sql-day-to-second-interval
- make-sql-day-to-second-interval
- sql-day-to-second-interval?
- sql-day-to-second-interval-sign
- set-sql-day-to-second-interval-sign!
- sql-day-to-second-interval-day
- set-sql-day-to-second-interval-day!
- sql-day-to-second-interval-hour
- set-sql-day-to-second-interval-hour!
- sql-day-to-second-interval-minute
- set-sql-day-to-second-interval-minute!
- sql-day-to-second-interval-second
- set-sql-day-to-second-interval-second!
- struct:sql-hour-to-minute-interval
- make-sql-hour-to-minute-interval
- sql-hour-to-minute-interval?
- sql-hour-to-minute-interval-sign
- set-sql-hour-to-minute-interval-sign!
- sql-hour-to-minute-interval-hour
- set-sql-hour-to-minute-interval-hour!
- sql-hour-to-minute-interval-minute
- set-sql-hour-to-minute-interval-minute!
- struct:sql-hour-to-second-interval
- make-sql-hour-to-second-interval
- sql-hour-to-second-interval?
- sql-hour-to-second-interval-sign
- set-sql-hour-to-second-interval-sign!
- sql-hour-to-second-interval-hour
- set-sql-hour-to-second-interval-hour!
- sql-hour-to-second-interval-minute
- set-sql-hour-to-second-interval-minute!
- sql-hour-to-second-interval-second
- set-sql-hour-to-second-interval-second!
- struct:sql-minute-to-second-interval
- make-sql-minute-to-second-interval
- sql-minute-to-second-interval?
- sql-minute-to-second-interval-sign
- set-sql-minute-to-second-interval-sign!
- sql-minute-to-second-interval-minute
- set-sql-minute-to-second-interval-minute!
- sql-minute-to-second-interval-second
- set-sql-minute-to-second-interval-second!
-
- ;; exceptions
-
- struct:exn-no-data
- make-exn-no-data
- exn-no-data?))
-
-(define-signature srpersist:odbc-3.5^
-
- ((open srpersist:odbc-3.0^)
-
- struct:sql-guid
- make-sql-guid
- sql-guid?
- sql-guid-data1
- set-sql-guid-data1!
- sql-guid-data2
- set-sql-guid-data2!
- sql-guid-data3
- set-sql-guid-data3!
- sql-guid-data4
- set-sql-guid-data4!))
-
diff --git a/collects/srpersist/srpersist.ss b/collects/srpersist/srpersist.ss
deleted file mode 100644
index e0988fa6..00000000
--- a/collects/srpersist/srpersist.ss
+++ /dev/null
@@ -1,22 +0,0 @@
-;; srpersist.ss
-
-(unless (defined? 'odbc-version)
- (error "odbc-version not defined: should be inexact number greater than or equal to 1.0"))
-
-(require-library "macro.ss")
-(require-library "cores.ss")
-(require-library "srpersistu.ss" "srpersist")
-
-(cond
-
- [(>= odbc-version 3.5)
- (require-library "invoke-3.5.ss" "srpersist")]
-
- [(>= odbc-version 3.0)
- (require-library "invoke-3.0.ss" "srpersist")]
-
- [(>= odbc-version 2.0)
- (require-library "invoke-2.0.ss" "srpersist")]
-
- [(>= odbc-version 1.0)
- (require-library "invoke-1.0.ss" "srpersist")])
diff --git a/collects/srpersist/srpersistu.ss b/collects/srpersist/srpersistu.ss
deleted file mode 100644
index 2612243e..00000000
--- a/collects/srpersist/srpersistu.ss
+++ /dev/null
@@ -1,67 +0,0 @@
-(require-relative-library "sigs.ss")
-
-(define srpersist@
-
- (if (defined? 'odbc-version)
-
- (let ([the-unit
- (load-relative-extension
- (string-append
- (build-path
- "lib"
- (system-library-subpath)
- (case (system-type)
- [(unix) "srpmain.so"]
- [(windows) "srpmain.dll"]
- [(macos) "srpmain.so"]
- [else (error "Unknown platform")]))))])
-
- (cond
-
- [(>= odbc-version 3.5)
- (compound-unit/sig
- (import)
- (link [srpersist : srpersist:odbc-3.5^
- ((unit->unit/sig
- the-unit
- ()
- srpersist:odbc-3.5^))])
- (export
- (open srpersist)))]
-
- [(>= odbc-version 3.0)
- (compound-unit/sig
- (import)
- (link [srpersist : srpersist:odbc-3.0^
- ((unit->unit/sig
- the-unit
- ()
- srpersist:odbc-3.0^))])
- (export
- (open srpersist)))]
-
- [(>= odbc-version 2.0)
- (compound-unit/sig
- (import)
- (link [srpersist : srpersist:odbc-2.0^
- ((unit->unit/sig
- the-unit
- ()
- srpersist:odbc-2.0^))])
- (export
- (open srpersist)))]
-
- [(>= odbc-version 1.0)
- (compound-unit/sig
- (import)
- (link [srpersist : srpersist:odbc-1.0^
- ((unit->unit/sig
- the-unit
- ()
- srpersist:odbc-1.0^))])
- (export
- (open srpersist)))]))
-
- ; no ODBC version defined
-
- (error "odbc-version not defined")))
diff --git a/collects/srpersist/tutorial.txt b/collects/srpersist/tutorial.txt
deleted file mode 100644
index 5a92799c..00000000
--- a/collects/srpersist/tutorial.txt
+++ /dev/null
@@ -1,185 +0,0 @@
-SrPersist Tutorial
-==================
-
-If you look at the doc.txt file in the SrPersist collection,
-you soon realize that the ODBC standard is quite complex.
-It is not necessary to master the standard before using it.
-Performing simple data retrievals and insertions is not very
-difficult. This tutorial provides some simple examples that
-you can start with when writing your own code.
-
-This tutorial does not address issues of compiling and
-installing SrPersist. See the README file in the
-SrPersist source directory for such information.
-
-Allocating handles
-------------------
-
-Before you can connect to a database, you need to allocate
-an environment handle, and a connection handle:
-
- (define henv (alloc-env)
- (define hdbc (alloc-connect henv))
-
-We bind these identifiers to the handle values, so that
-we can refer to the handles at later points in the program.
-
-Getting a connection
---------------------
-
-SrPersist provides three procedures to connect to a database,
-two of which we mention here.
-
-When getting started, you can use
-
- (driver-connect hdbc "" 'sql-driver-prompt)
-
-where `hdbc' is the connection handle just allocated.
-This procedure displays a dialog box, or series of them.
-From the dialog boxes, you should be able to choose
-the database system and a particular database to
-connect to. This procedure returns a string, which
-you can use in place of the empty string the next
-time you need to call this procedure. The string
-contains information about the database system and
-database you chose through the dialogs. Using that
-returned string, this procedure will not show a
-dialog box.
-
-Alternatively, you can use
-
- (connect hdbc dbms name password)
-
-where again `hdbc' is the connection handle you've
-allocated. `dbms', `name', and `password' are strings
-indicating a database system (a "data source" in ODBC
-parlance), a login name, and login password. Unlike
-driver-connect, you have to know the name of the
-database system, which may not be obvious. To find out
-this information, you can call
-
- (data-sources henv 'sql-fetch-first)
-
-to get a data source name and its description. Calling
-data-sources with 'sql-fetch-next gets the next data source;
-you can continue making such calls until you've enumerated
-all possible data sources.
-
-Making a statement
-------------------
-
-Once your program is connected to a database system,
-you'll want to submit queries in the form of SQL.
-Be patient, for it takes several steps to submit such
-a query.
-
-First you'll need to allocate a statement handle
-using the existing connection handle:
-
- (define hstmt (alloc-stmt hdbc))
-
-We'll see that we can reuse this statement handle
-for several SQL queries.
-
-When you connected to the database system, you
-chose some particular database. The database system
-may contain several databases. SQL has the USE statement
-to choose among them. In SrPersist, we write:
-
- (prepare hstmt "USE test_db")
- (execute hstmt)
-
-Note that some database systems, such as Microsoft Access,
-do not allow you to switch databases in this way. You can
-think of prepare as performing a compilation step; execute
-runs the resulting code.
-
-Now suppose the database test_db contains a table
-"people" that has columns for name, a string, and
-age, an integer.
-
-We can make a query to get the desired data from the
-database.
-
- (prepare hstmt "SELECT name,age FROM people")
- (execute hstmt)
-
-Conceptually, the statement above creates a new table,
-consisting of rows of data. We need some location
-in our program to store the data. ODBC uses buffers
-for data storage. SrPersist associates an ODBC C type
-with each buffer.
-
-Assume that the name column consists of strings
-no longer than 50 characters. We create a
-buffer to hold results:
-
- (define name-buffer (make-buffer 'sql-c-char 50))
-
-For the age column:
-
- (define age-buffer (make-buffer 'sql-c-slong 1))
-
-There are ways to find out the types associated with columns,
-but unfortunately, it's a complicated business. There are
-actually distinct types (SQL types) for the columns themselves,
-and separate C types for buffers that receive their data.
-But 'sql-c-char is probably what you want for string buffers,
-and 'sql-c-slong for integer buffers.
-
-We'll need another kind of buffer, an "indicator":
-
- (define name-indicator (make-indicator))
- (define age-indicator (make-indicator))
-
-These indicators do not hold data, just status information.
-We can safely ignore their role for the remainder of this
-tutorial.
-
-Next, we wish to associate the buffers we've created with
-the database columns:
-
- (bind-col hstmt 1 name-buffer name-indicator)
- (bind-col hstmt 2 age-buffer age-indicator)
-
-Columns are numbered from 1. Although the people table
-may have had the name and age at any position, our
-query above created the name column as column 1,
-and the age column as column 2.
-
-Now we can retrieve the data and print it out:
-
- (with-handlers
- ([(lambda (exn) (exn-no-data? exn))
- (lambda (exn) (printf "** End of data **~n"))])
- (let loop ()
- (fetch hstmt)
- (printf "Name: ~a Age: ~a~n"
- (read-buffer name-buffer)
- (read-buffer age-buffer))
- (loop))
-
-The code loops through each row and prints the
-values stored in the buffers. When all the
-data has been read, the call to fetch raises
-the exn-no-data exception.
-
-Suppose we want to insert a new record into the table people.
-Assume that the table consists of the columns name, address,
-and age. To perform the insertion, we simply write the
-appropriate SQL, and run it:
-
- (prepare hstmt
- (string-append "INSERT INTO people SET "
- "name=\"Joe Bloggs\","
- "address=\"123 Main Street\","
- "age=42"))
- (execute hstmt)
-
-If you now perform the SELECT query above, and run the
-given loop over the results, you should see the effect
-of the insertion.
-
-While there's much more in the ODBC standard, this example
-code should give you the flavor of how it works.
-
diff --git a/collects/stepper/annotater.ss b/collects/stepper/annotater.ss
deleted file mode 100644
index aaa2b3d8..00000000
--- a/collects/stepper/annotater.ss
+++ /dev/null
@@ -1,862 +0,0 @@
-(unit/sig stepper:annotate^
- (import [z : zodiac:system^]
- mzlib:function^
- [e : zodiac:interface^]
- [utils : stepper:cogen-utils^]
- stepper:marks^
- [s : stepper:model^]
- stepper:shared^
- stepper:client-procs^)
-
- ; ANNOTATE SOURCE CODE
-
- ; gensyms for annotation:
-
- ; the mutator-gensym is used in building the mutators that go into certain marks.
- ; (define mutator-gensym (gensym "mutator-"))
-
- ; the `closure-temp' symbol is used for the let which wraps created closures, so
- ; that we can stuff them into the hash table.
-
- ; closure-temp: uninterned-symbol
-
- (define closure-temp (gensym "closure-temp-"))
-
- ; dual-map : (('a -> (values 'b 'c)) ('a list)) -> (values ('b list) ('c list))
-
- (define (dual-map f . lsts)
- (if (null? (car lsts))
- (values null null)
- (let+ ([val (values a b) (apply f (map car lsts))]
- [val (values a-rest b-rest) (apply dual-map f (map cdr lsts))])
- (values (cons a a-rest) (cons b b-rest)))))
-
- ; binding-set-union takes some lists of bindings where no element appears twice in one list, and
- ; forms a new list which is the union of the sets.
-
- (define (binding-set-pair-union a-set b-set)
- (cond [(or (eq? a-set 'all) (eq? b-set 'all)) 'all]
- [else (append a-set (remq* a-set b-set))]))
-
- (define binding-set-union
- (lambda args
- (foldl binding-set-pair-union
- null
- args)))
-
- (define (binding-set-intersect a-set b-set)
- (remq* (remq* a-set b-set) b-set))
-
- (define never-undefined? never-undefined-getter)
- (define (mark-never-undefined parsed) (never-undefined-setter parsed #t))
-
- (define (interlace a b)
- (foldr (lambda (a b built)
- (cons a (cons b built)))
- null
- a
- b))
-
- (define (closure-key-maker closure)
- closure)
-
- ; paroptarglist-> ilist and arglist->ilist are used to recreate
- ; mzscheme sexp syntax from the parsed zodiac form, so that the
- ; resulting expression can be fed to mzscheme.
-
-
-
- ; debug-key: this key will be used as a key for the continuation marks.
-
- (define debug-key (gensym "debug-key-"))
-
- ; translate-varref : returns the name the varref will get in the final output
-
- (define (translate-varref expr)
- (if (z:top-level-varref? expr) ; top level varrefs
- (z:varref-var expr)
- (get-binding-name (z:bound-varref-binding expr))))
-
- ; make-debug-info builds the thunk which will be the mark at runtime. It contains
- ; a source expression (in the parsed zodiac format) and a set of z:binding/value pairs.
- ;((z:parsed (union (list-of z:binding) 'all) (list-of z:binding) symbol) ->
- ; debug-info)
-
- (define (make-debug-info source tail-bound free-bindings label)
- (let* ([kept-bindings (if (eq? tail-bound 'all)
- free-bindings
- (binding-set-intersect tail-bound
- free-bindings))]
- [var-clauses (map (lambda (x)
- (let ([var (get-binding-name x)])
- (list var x)))
- kept-bindings)])
- (make-full-mark source label var-clauses)))
-
- ; cheap-wrap for non-debugging annotation
-
- (define cheap-wrap
- (lambda (zodiac body)
- (let ([start (z:zodiac-start zodiac)]
- [finish (z:zodiac-finish zodiac)])
- `(#%with-continuation-mark (#%quote ,debug-key)
- ,(make-cheap-mark (z:make-zodiac #f start finish))
- ,body))))
-
- ; wrap-struct-form
-
- (define (wrap-struct-form names annotated)
- (let* ([arg-temps (build-list (length names) get-arg-binding)]
- [arg-temp-syms (map z:binding-var arg-temps)]
- [struct-proc-names (cdr names)]
- [closure-records (map (lambda (proc-name) `(,make-closure-record
- (#%quote ,proc-name)
- (#%lambda () #f)
- ,(eq? proc-name (car struct-proc-names))))
- struct-proc-names)]
- [proc-arg-temp-syms (cdr arg-temp-syms)]
- [setters (map (lambda (arg-temp-sym closure-record)
- `(,closure-table-put! ,arg-temp-sym ,closure-record))
- proc-arg-temp-syms
- closure-records)]
- [full-body (append setters (list `(values ,@arg-temp-syms)))])
- `(#%let-values ((,arg-temp-syms ,annotated)) ,@full-body)))
-
- ; update-closure-record-name : adds a name to an existing closure table record,
- ; if there is one for that value.
-
- (define (update-closure-record-name value name)
- (let* ([closure-record (closure-table-lookup value)]
- [old-name (closure-record-name closure-record)])
- (if old-name
- (e:internal-error "closure-record already has a name: ~a" old-name)
- (set-closure-record-name! closure-record name))))
-
-
- (define initial-env-package null)
-
- ; annotate takes
- ; a) a list of zodiac:read expressions,
- ; b) a list of zodiac:parsed expressions,
- ; c) a list of previously-defined variables,
- ; d) a break routine to be called at breakpoints, and
- ; e) a boolean which indicates whether the expression is to be annotated "cheaply".
- ;
- ; actually, I'm not sure that annotate works for more than one expression, even though
- ; it's supposed to take a whole list. I wouldn't count on it. Also, both the red-exprs
- ; and break arguments may be #f, the first during a zodiac:elaboration-evaluator call,
- ; the second during any non-stepper use.
-
- (define (annotate red-exprs parsed-exprs input-struct-proc-names break cheap-wrap?)
- (local
- (
- (define (make-break kind)
- `(#%lambda returned-value-list
- (,break (continuation-mark-set->list
- (current-continuation-marks)
- (#%quote ,debug-key))
- (#%quote ,kind)
- returned-value-list)))
-
- ; wrap creates the w-c-m expression.
-
- (define (simple-wcm-wrap debug-info expr)
- `(#%with-continuation-mark (#%quote ,debug-key) ,debug-info ,expr))
-
- (define (wcm-pre-break-wrap debug-info expr)
- (if break
- (simple-wcm-wrap debug-info `(#%begin (,(make-break 'result-break)) ,expr))
- (simple-wcm-wrap debug-info expr)))
-
- (define (break-wrap expr)
- (if break
- `(#%begin (,(make-break 'normal-break)) ,expr)
- expr))
-
- (define (double-break-wrap expr)
- (if break
- `(#%begin (,(make-break 'double-break)) ,expr)
- expr))
-
- (define (simple-wcm-break-wrap debug-info expr)
- (simple-wcm-wrap debug-info (break-wrap expr)))
-
- (define (return-value-wrap expr)
- (if break
- `(#%let* ([result ,expr])
- (,(make-break 'result-break) result)
- result)
- expr))
-
-; For Multiple Values:
-; `(#%call-with-values
-; (#%lambda ()
-; expr)
-; (#%lambda result-values
-; (,(make-break 'result-break) result-values)
-; (#%apply #%values result-values))))
-
- (define (find-read-expr expr)
- (let ([offset (z:location-offset (z:zodiac-start expr))])
- (let search-exprs ([exprs red-exprs])
- (let* ([later-exprs (filter
- (lambda (expr)
- (<= offset (z:location-offset (z:zodiac-finish expr))))
- exprs)]
- [expr
- (car later-exprs)])
- (if (= offset (z:location-offset (z:zodiac-start expr)))
- expr
- (cond
- ((z:scalar? expr) (e:static-error "starting offset inside scalar:" offset))
- ((z:sequence? expr)
- (let ([object (z:read-object expr)])
- (cond
- ((z:list? expr) (search-exprs object))
- ((z:vector? expr)
- (search-exprs (vector->list object))) ; can source exprs be here?
- ((z:improper-list? expr)
- (search-exprs (search-exprs object))) ; can source exprs be here? (is this a bug?)
- (else (e:static-error "unknown expression type in sequence" expr)))))
- (else (e:static-error "unknown read type" expr))))))))
-
- (define (struct-procs-defined expr)
- (if (and (z:define-values-form? expr)
- (z:struct-form? (z:define-values-form-val expr)))
- (map z:varref-var (z:define-values-form-vars expr))
- null))
-
- (define struct-proc-names (apply append input-struct-proc-names
- (map struct-procs-defined parsed-exprs)))
-
- (define (non-annotated-proc? varref)
- (let ([name (z:varref-var varref)])
- (or (s:check-pre-defined-var name)
- (memq name struct-proc-names))))
-
- ; annotate/inner takes
- ; a) a zodiac expression to annotate
- ; b) a list of all findins which this expression is tail w.r.t.
- ; or 'all to indicate that this expression is tail w.r.t. _all_ bindings.
- ; c) a list of varrefs of 'floating' variables; i.e. lexical bindings NO: TAKEN OUT
- ; whose value must be captured in order to reconstruct outer expressions.
- ; Necessitated by 'unit', useful for 'letrec*-values'.
- ; d) a boolean indicating whether this expression will be the r.h.s. of a reduction
- ; (and therefore should be broken before)
- ; e) a boolean indicating whether this expression is top-level (and therefore should
- ; not be wrapped, if a begin).
- ; f) a boolean indicating whether this expression should receive the "cheap wrap" (aka
- ; old-style aries annotation) or not. #t => cheap wrap. NOTE: THIS HAS BEEN
- ; (TEMPORARILY?) TAKEN OUT/MOVED TO THE TOP LEVEL.
- ;
- ; it returns
- ; a) an annotated s-expression
- ; b) a list of varrefs for the variables which occur free in the expression
- ;
- ;(z:parsed (union (list-of z:varref) 'all) (list-of z:varref) bool bool ->
- ; sexp (list-of z:varref))
-
- (define (annotate/inner expr tail-bound pre-break? top-level?)
-
- (let* ([tail-recur (lambda (expr) (annotate/inner expr tail-bound #t #f))]
- [define-values-recur (lambda (expr) (annotate/inner expr tail-bound #f #f))]
- [non-tail-recur (lambda (expr) (annotate/inner expr null #f #f))]
- [lambda-body-recur (lambda (expr) (annotate/inner expr 'all #t #f))]
- ; note: no pre-break for the body of a let; it's handled by the break for the
- ; let itself.
- [let-body-recur (lambda (expr bindings) (annotate/inner expr (binding-set-union tail-bound bindings) #f #f))]
- [cheap-wrap-recur (lambda (expr) (let-values ([(ann _) (non-tail-recur expr)]) ann))]
- [make-debug-info-normal (lambda (free-bindings)
- (make-debug-info expr tail-bound free-bindings 'none))]
- [make-debug-info-app (lambda (tail-bound free-bindings label)
- (make-debug-info expr tail-bound free-bindings label))]
- [wcm-wrap (if pre-break?
- wcm-pre-break-wrap
- simple-wcm-wrap)]
- [wcm-break-wrap (lambda (debug-info expr)
- (wcm-wrap debug-info (break-wrap expr)))]
- [expr-cheap-wrap (lambda (annotated) (cheap-wrap expr annotated))])
-
- ; find the source expression and associate it with the parsed expression
-
- (when (and red-exprs (not cheap-wrap?))
- (set-expr-read! expr (find-read-expr expr)))
-
- (cond
-
- ; the variable forms
-
- [(z:varref? expr)
- (let* ([v (translate-varref expr)]
- [real-v (if (z:top-level-varref? expr)
- v
- (z:binding-orig-name
- (z:bound-varref-binding expr)))]
- [maybe-undef? (or (and (z:bound-varref? expr)
- (not (never-undefined? (z:bound-varref-binding expr))))
- (utils:is-unit-bound? expr))]
- [truly-top-level? (and (z:top-level-varref? expr) (not (utils:is-unit-bound? expr)))]
- [_ (when truly-top-level?
- (utils:check-for-syntax-or-macro-keyword expr))]
- [free-bindings (if (z:bound-varref? expr)
- (list (z:bound-varref-binding expr))
- null)]
- [debug-info (make-debug-info-normal free-bindings)]
- [annotated (if (and maybe-undef? (utils:signal-undefined))
- `(#%if (#%eq? ,v ,utils:the-undefined-value)
- (#%raise (,utils:make-undefined
- ,(format utils:undefined-error-format real-v)
- (#%current-continuation-marks)
- (#%quote ,v)))
- ,v)
- v)])
- (values (if cheap-wrap?
- (if (or (and maybe-undef? (utils:signal-undefined)) truly-top-level?)
- (expr-cheap-wrap annotated)
- annotated)
- (wcm-break-wrap debug-info (return-value-wrap annotated))) free-bindings))]
-
- [(z:app? expr)
- (let*-values
- ([(sub-exprs) (cons (z:app-fun expr) (z:app-args expr))]
- [(annotated-sub-exprs free-bindings-sub-exprs)
- (dual-map non-tail-recur sub-exprs)]
- [(free-bindings) (apply binding-set-union free-bindings-sub-exprs)])
- (if cheap-wrap?
- (values (expr-cheap-wrap annotated-sub-exprs) free-bindings)
- (let* ([arg-temps (build-list (length sub-exprs) get-arg-binding)]
- [arg-temp-syms (map z:binding-var arg-temps)]
- [let-clauses `((,arg-temp-syms
- (#%values ,@(map (lambda (x) `(#%quote ,*unevaluated*)) arg-temps))))]
- [set!-list (map (lambda (arg-symbol annotated-sub-expr)
- `(#%set! ,arg-symbol ,annotated-sub-expr))
- arg-temp-syms annotated-sub-exprs)]
- [new-tail-bound (binding-set-union tail-bound arg-temps)]
- [app-debug-info (make-debug-info-app new-tail-bound arg-temps 'called)]
- [annotate-app? (let ([fun-exp (z:app-fun expr)])
- (and (z:top-level-varref? fun-exp)
- (non-annotated-proc? fun-exp)))]
- [final-app (break-wrap (simple-wcm-wrap app-debug-info
- (if annotate-app?
- (return-value-wrap arg-temp-syms)
- arg-temp-syms)))]
- [debug-info (make-debug-info-app new-tail-bound
- (binding-set-union free-bindings arg-temps)
- 'not-yet-called)]
- [let-body (wcm-wrap debug-info `(#%begin ,@set!-list ,final-app))]
- [let-exp `(#%let-values ,let-clauses ,let-body)])
- (values let-exp free-bindings))))]
-
- [(z:struct-form? expr)
- (let ([super-expr (z:struct-form-super expr)]
- [raw-type (utils:read->raw (z:struct-form-type expr))]
- [raw-fields (map utils:read->raw (z:struct-form-fields expr))])
- (if super-expr
- (let*-values
- ([(annotated-super-expr free-bindings-super-expr)
- (non-tail-recur super-expr)]
- [(annotated)
- `(#%struct
- ,(list raw-type annotated-super-expr)
- ,raw-fields)]
- [(debug-info) (make-debug-info-normal free-bindings-super-expr)])
- (values (if cheap-wrap?
- (expr-cheap-wrap annotated)
- (wcm-wrap debug-info annotated))
- free-bindings-super-expr))
- (let ([annotated `(#%struct ,raw-type ,raw-fields)])
- (values (if cheap-wrap?
- (expr-cheap-wrap annotated)
- (wcm-wrap (make-debug-info-normal null) annotated))
- null))))]
-
- [(z:if-form? expr)
- (let*-values
- ([(annotated-test free-bindings-test)
- (non-tail-recur (z:if-form-test expr))]
- [(annotated-then free-bindings-then)
- (tail-recur (z:if-form-then expr))]
- [(annotated-else free-bindings-else)
- (tail-recur (z:if-form-else expr))]
- [(free-bindings) (binding-set-union free-bindings-test
- free-bindings-then
- free-bindings-else)]
- [(if-temp-sym) (z:binding-var if-temp)]
- [(inner-annotated) `(#%if ,if-temp-sym
- ,annotated-then
- ,annotated-else)]
- [(annotated-2) (if (utils:signal-not-boolean)
- `(#%if (#%boolean? ,if-temp-sym)
- ,inner-annotated
- (#%raise (,utils:make-not-boolean
- (#%format ,utils:not-boolean-error-format
- ,if-temp-sym)
- (#%current-continuation-marks)
- ,if-temp-sym)))
- inner-annotated)])
- (if cheap-wrap?
- (values
- (expr-cheap-wrap (if (utils:signal-not-boolean)
- `(#%let ((,if-temp-sym ,annotated-test)) ,annotated-2)
- `(#%if ,annotated-test ,annotated-then ,annotated-else)))
- free-bindings)
- (let* ([annotated `(#%begin
- (#%set! ,if-temp-sym ,annotated-test)
- ,(break-wrap annotated-2))]
- [debug-info (make-debug-info-app (binding-set-union tail-bound (list if-temp))
- (binding-set-union free-bindings (list if-temp))
- 'none)]
- [wcm-wrapped (wcm-wrap debug-info annotated)]
- [outer-annotated `(#%let ((,if-temp-sym (#%quote ,*unevaluated*))) ,wcm-wrapped)])
- (values outer-annotated free-bindings))))]
-
- [(z:quote-form? expr)
- (let ([annotated `(#%quote ,(utils:read->raw (z:quote-form-expr expr)))])
- (values (if cheap-wrap?
- annotated
- (wcm-wrap (make-debug-info-normal null) annotated))
- null))]
-
- [(z:begin-form? expr)
- (if top-level?
- (let*-values
- ([(bodies) (z:begin-form-bodies expr)]
- [(annotated-bodies free-bindings)
- (dual-map (lambda (expr)
- (annotate/inner expr 'all #f #t))
- bodies)])
- (values `(#%begin ,@annotated-bodies)
- (apply binding-set-union free-bindings)))
- (let*-values
- ([(bodies) (z:begin-form-bodies expr)]
- [(all-but-last-body last-body-list)
- (list-partition bodies (- (length bodies) 1))]
- [(last-body) (car last-body-list)]
- [(annotated-a free-bindings-a)
- (dual-map non-tail-recur all-but-last-body)]
- [(annotated-final free-bindings-final)
- (tail-recur last-body)]
- [(free-bindings) (apply binding-set-union free-bindings-final free-bindings-a)]
- [(debug-info) (make-debug-info-normal free-bindings)]
- [(annotated) `(#%begin ,@(append annotated-a (list annotated-final)))])
- (values (if cheap-wrap?
- (expr-cheap-wrap annotated)
- (wcm-wrap debug-info annotated))
- free-bindings)))]
-
- [(z:begin0-form? expr)
- (let*-values
- ([(bodies) (z:begin0-form-bodies expr)]
- [(annotated-bodies free-bindings-lists)
- (dual-map non-tail-recur bodies)]
- [(free-bindings) (apply binding-set-union free-bindings-lists)]
- [(debug-info) (make-debug-info-normal free-bindings)]
- [(annotated) `(#%begin0 ,@annotated-bodies)])
- (values (if cheap-wrap?
- (expr-cheap-wrap annotated)
- (wcm-wrap debug-info annotated))
- free-bindings))]
-
- ; gott in himmel! this transformation is complicated. Just for the record,
- ; here's a sample transformation:
- ;(let-values ([(a b c) e1] [(d e) e2]) e3)
- ;
- ;turns into
- ;
- ;(let-values ([(dummy1 dummy2 dummy3 dummy4 dummy5)
- ; (values *unevaluated* *unevaluated* *unevaluated* *unevaluated* *unevaluated*)])
- ; (with-continuation-mark
- ; key huge-value
- ; (begin
- ; (set!-values (dummy1 dummy2 dummy3) e1)
- ; (set!-values (dummy4 dummy5) e2)
- ; (let-values ([(a b c d e) (values dummy1 dummy2 dummy3 dummy4 dummy5)])
- ; e3))))
- ;
- ; let me know if you can do it in less.
-
- ; another irritating point: the mark and the break that must go immediately
- ; around the body. Irritating because they will be instantly replaced by
- ; the mark and the break produced by the annotated body itself. However,
- ; they're necessary, because the body may not contain free references to
- ; all of the variables defined in the let, and thus their values are not
- ; known otherwise.
- ; whoops! hold the phone. I think I can get away with a break before, and
- ; a mark after, so only one of each. groovy, eh?
-
- [(z:let-values-form? expr)
- (let*-values
- ([(binding-sets) (z:let-values-form-vars expr)]
- [(binding-set-list) (apply append binding-sets)]
- [(vals) (z:let-values-form-vals expr)]
- [(_1) (for-each utils:check-for-keyword binding-set-list)]
- [(_2) (for-each mark-never-undefined binding-set-list)]
- [(annotated-vals free-bindings-vals)
- (dual-map non-tail-recur vals)]
- [(annotated-body free-bindings-body)
- (let-body-recur (z:let-values-form-body expr) binding-set-list)]
- [(free-bindings) (apply binding-set-union (remq* binding-set-list free-bindings-body)
- free-bindings-vals)])
- (if cheap-wrap?
- (let ([bindings
- (map (lambda (bindings val)
- `(,(map get-binding-name bindings) ,val))
- binding-sets
- annotated-vals)])
- (values (expr-cheap-wrap `(#%let-values ,bindings ,annotated-body)) free-bindings))
- (let* ([dummy-binding-sets
- (let ([counter 0])
- (map (lambda (binding-set)
- (map (lambda (binding)
- (begin0
- (get-arg-binding counter)
- (set! counter (+ counter 1))))
- binding-set))
- binding-sets))]
- [dummy-binding-list (apply append dummy-binding-sets)]
- [outer-dummy-initialization
- `([,(map z:binding-var dummy-binding-list)
- (#%values ,@(build-list (length dummy-binding-list)
- (lambda (_) `(#%quote ,*unevaluated*))))])]
- [set!-clauses
- (map (lambda (dummy-binding-set val)
- `(#%set!-values ,(map z:binding-var dummy-binding-set) ,val))
- dummy-binding-sets
- annotated-vals)]
- [inner-transference
- `([,(map get-binding-name binding-set-list)
- (values ,@(map z:binding-var dummy-binding-list))])]
- ; time to work from the inside out again
- [inner-let-values
- `(#%let-values ,inner-transference ,annotated-body)]
- [middle-begin
- `(#%begin ,@set!-clauses ,(double-break-wrap inner-let-values))]
- [wrapped-begin
- (wcm-wrap (make-debug-info-app (binding-set-union tail-bound dummy-binding-list)
- (binding-set-union free-bindings dummy-binding-list)
- 'let-body)
- middle-begin)]
- [whole-thing
- `(#%let-values ,outer-dummy-initialization ,wrapped-begin)])
- (values whole-thing free-bindings))))]
-
- [(z:letrec-values-form? expr)
- (let*-values
- ([(binding-sets) (z:letrec-values-form-vars expr)]
- [(binding-list) (apply append binding-sets)]
- [(binding-names) (map get-binding-name binding-list)]
- [(vals) (z:letrec-values-form-vals expr)]
- [(_1) (when (andmap z:case-lambda-form? vals)
- (for-each mark-never-undefined binding-list))] ; we could be more aggressive about this.
- [(_2) (for-each utils:check-for-keyword binding-list)]
- [(annotated-vals free-bindings-vals)
- (dual-map non-tail-recur vals)]
- [(annotated-body free-bindings-body)
- (let-body-recur (z:letrec-values-form-body expr)
- binding-list)]
- [(free-bindings-inner) (apply binding-set-union free-bindings-body free-bindings-vals)]
- [(free-bindings-outer) (remq* binding-list free-bindings-inner)])
- (if cheap-wrap?
- (let ([bindings
- (map (lambda (bindings val)
- `(,(map get-binding-name bindings)
- ,val))
- binding-sets
- annotated-vals)])
- (values (expr-cheap-wrap `(#%letrec-values ,bindings ,annotated-body))
- free-bindings-outer))
- (let* ([outer-initialization
- `((,binding-names (#%values ,@binding-names)))]
- [set!-clauses
- (map (lambda (binding-set val)
- `(#%set!-values ,(map get-binding-name binding-set) ,val))
- binding-sets
- annotated-vals)]
- [middle-begin
- `(#%begin ,@set!-clauses ,(double-break-wrap annotated-body))]
- [wrapped-begin
- (wcm-wrap (make-debug-info-app (binding-set-union tail-bound binding-list)
- (binding-set-union free-bindings-inner binding-list)
- 'let-body)
- middle-begin)]
- [whole-thing
- `(#%letrec-values ,outer-initialization ,wrapped-begin)])
- (values whole-thing free-bindings-outer))))]
-
- [(z:define-values-form? expr)
- (let*-values
- ([(vars) (z:define-values-form-vars expr)]
- [(_1) (map utils:check-for-keyword vars)]
- [(binding-names) (map z:varref-var vars)]
-
- ; NB: this next recurrence is NOT really tail, but we cannot
- ; mark define-values itself, so we mark the sub-expr as
- ; if it was in tail posn (i.e., we must hold on to
- ; bindings).
-
- [(val) (z:define-values-form-val expr)]
- [(annotated-val free-bindings-val)
- (define-values-recur val)])
- (cond [(and (z:case-lambda-form? val) (not cheap-wrap?))
- (values `(#%define-values ,binding-names
- (#%let ((,closure-temp ,annotated-val))
- (,update-closure-record-name ,closure-temp (#%quote ,(car binding-names)))
- ,closure-temp))
- free-bindings-val)]
- [(z:struct-form? val)
- (values `(#%define-values ,binding-names
- ,(wrap-struct-form binding-names annotated-val))
- free-bindings-val)]
- [else
- (values `(#%define-values ,binding-names
- ,annotated-val)
- free-bindings-val)]))]
-
- [(z:set!-form? expr)
- (utils:check-for-keyword (z:set!-form-var expr))
- (let*-values
- ([(var) (z:set!-form-var expr)]
- [(v) (translate-varref var)]
- [(annotated-body rhs-free-bindings)
- (non-tail-recur (z:set!-form-val expr))]
- [(free-bindings) (binding-set-union (if (z:top-level-varref? var)
- null
- (list (z:bound-varref-binding var)))
- rhs-free-bindings)]
- [(debug-info) (make-debug-info-normal free-bindings)]
- [(annotated) `(#%set! ,v ,annotated-body)])
- (values (if cheap-wrap?
- (expr-cheap-wrap annotated)
- (wcm-wrap (make-debug-info-normal free-bindings) annotated))
- free-bindings))]
-
- [(z:case-lambda-form? expr)
- (let*-values
- ([(annotated-cases free-bindings-cases)
- (dual-map
- (lambda (arglist body)
- (let ([binding-list (z:arglist-vars arglist)]
- [args (utils:arglist->ilist arglist)])
- (utils:improper-foreach utils:check-for-keyword args)
- (utils:improper-foreach mark-never-undefined args)
- (let*-values
- ([(annotated free-bindings)
- (lambda-body-recur body)]
- [(new-free-bindings) (remq* binding-list free-bindings)]
- [(new-annotated) (list (utils:improper-map get-binding-name args)
- annotated)])
- (values new-annotated new-free-bindings))))
- (z:case-lambda-form-args expr)
- (z:case-lambda-form-bodies expr))]
- [(annotated-case-lambda) (cons '#%case-lambda annotated-cases)]
- [(new-free-bindings) (apply binding-set-union free-bindings-cases)]
- [(closure-info) (make-debug-info-app 'all new-free-bindings 'none)]
- [(wrapped-annotated) (wcm-wrap (make-debug-info-normal null)
- annotated-case-lambda)]
- [(hash-wrapped) `(#%let ([,closure-temp ,wrapped-annotated])
- (,closure-table-put! (,closure-key-maker ,closure-temp)
- (,make-closure-record
- #f
- ,closure-info
- #f))
- ,closure-temp)])
- (values (if cheap-wrap?
- annotated-case-lambda
- hash-wrapped)
- new-free-bindings))]
-
- ; the annotation for w-c-m is insufficient for
- ; debugging: there must be an intermediate let & set!s to
- ; allow the user to see the computed values for the key and the
- ; value.
-
- [(z:with-continuation-mark-form? expr)
- (let*-values
- ([(annotated-key free-bindings-key)
- (non-tail-recur (z:with-continuation-mark-form-key expr))]
- [(annotated-val free-bindings-val)
- (non-tail-recur (z:with-continuation-mark-form-val expr))]
- [(annotated-body free-bindings-body)
- (non-tail-recur (z:with-continuation-mark-form-body expr))]
- [(free-bindings) (binding-set-union free-bindings-key free-bindings-val free-bindings-body)]
- [(debug-info) (make-debug-info-normal free-bindings)]
- [(annotated) `(#%with-continuation-mark
- ,annotated-key
- ,annotated-val
- ,annotated-body)])
- (values (if cheap-wrap?
- (expr-cheap-wrap annotated)
- (wcm-wrap debug-info annotated))
- free-bindings))]
-
- [(not cheap-wrap?)
- (e:static-error "cannot annotate units or classes except in cheap-wrap mode")]
-
- [(z:unit-form? expr)
- (let* ([imports (z:unit-form-imports expr)]
- [exports (map (lambda (export)
- (list (translate-varref (car export))
- (z:read-object (cdr export))))
- (z:unit-form-exports expr))]
- [clauses (map annotate/top-level (z:unit-form-clauses expr))])
- (for-each utils:check-for-keyword imports)
- (values
- `(#%unit
- (import ,@(map get-binding-name imports))
- (export ,@exports)
- ,@clauses)
- null))]
-
- [(z:compound-unit-form? expr)
- (let ((imports (map get-binding-name
- (z:compound-unit-form-imports expr)))
- (links (z:compound-unit-form-links expr))
- (exports (z:compound-unit-form-exports expr)))
- (let
- ((links
- (map
- (lambda (link-clause)
- (let* ([tag (utils:read->raw (car link-clause))]
- [sub-unit (cheap-wrap-recur (cadr link-clause))]
- [imports
- (map (lambda (import)
- (if (z:lexical-varref? import)
- (translate-varref import)
- `(,(utils:read->raw (car import))
- ,(utils:read->raw (cdr import)))))
- (cddr link-clause))])
- `(,tag (,sub-unit ,@imports))))
- links))
- (exports
- (map
- (lambda (export-clause)
- `(,(utils:read->raw (car export-clause))
- (,(utils:read->raw (cadr export-clause))
- ,(utils:read->raw (cddr export-clause)))))
- exports)))
- (let ((e `(#%compound-unit
- (import ,@imports)
- (link ,@links)
- (export ,@exports))))
- (values (expr-cheap-wrap e) null))))]
-
- [(z:invoke-unit-form? expr)
- (values
- (expr-cheap-wrap `(#%invoke-unit ,(cheap-wrap-recur (z:invoke-unit-form-unit expr))
- ,@(map translate-varref
- (z:invoke-unit-form-variables expr))))
- null)]
-
- [(z:interface-form? expr)
- (let ([vars (z:interface-form-variables expr)])
- (for-each utils:check-for-keyword vars)
- (values
- (expr-cheap-wrap
- `(#%interface ,(map cheap-wrap-recur
- (z:interface-form-super-exprs expr))
- ,@(map utils:read->raw vars)))
- null))]
-
- [(z:class*/names-form? expr)
- (let* ([process-arg
- (lambda (element)
- (if (pair? element)
- (and (utils:check-for-keyword (car element))
- (list (get-binding-name (car element))
- (cheap-wrap-recur (cdr element))))
- (and (utils:check-for-keyword element)
- (get-binding-name element))))]
- [paroptarglist->ilist
- (lambda (paroptarglist)
- (cond
- ((z:sym-paroptarglist? paroptarglist)
- (process-arg (car (z:paroptarglist-vars paroptarglist))))
- ((z:list-paroptarglist? paroptarglist)
- (map process-arg (z:paroptarglist-vars paroptarglist)))
- ((z:ilist-paroptarglist? paroptarglist)
- (let loop ((vars (map process-arg
- (z:paroptarglist-vars paroptarglist))))
- (if (null? (cddr vars))
- (cons (car vars) (cadr vars))
- (cons (car vars) (loop (cdr vars))))))
- (else
- (e:internal-error paroptarglist
- "Given to paroptarglist->ilist"))))])
- (values
- (expr-cheap-wrap
- `(#%class*/names
- (,(get-binding-name (z:class*/names-form-this expr))
- ,(get-binding-name (z:class*/names-form-super-init expr)))
- ,(cheap-wrap-recur (z:class*/names-form-super-expr expr))
- ,(map cheap-wrap-recur (z:class*/names-form-interfaces expr))
- ,(paroptarglist->ilist (z:class*/names-form-init-vars expr))
- ,@(map
- (lambda (clause)
- (cond
- ((z:public-clause? clause)
- `(public
- ,@(map (lambda (internal export expr)
- `((,(get-binding-name internal)
- ,(utils:read->raw export))
- ,(cheap-wrap-recur expr)))
- (z:public-clause-internals clause)
- (z:public-clause-exports clause)
- (z:public-clause-exprs clause))))
- ((z:override-clause? clause)
- `(override
- ,@(map (lambda (internal export expr)
- `((,(get-binding-name internal)
- ,(utils:read->raw export))
- ,(cheap-wrap-recur expr)))
- (z:override-clause-internals clause)
- (z:override-clause-exports clause)
- (z:override-clause-exprs clause))))
- ((z:private-clause? clause)
- `(private
- ,@(map (lambda (internal expr)
- `(,(get-binding-name internal)
- ,(cheap-wrap-recur expr)))
- (z:private-clause-internals clause)
- (z:private-clause-exprs clause))))
- ((z:inherit-clause? clause)
- `(inherit
- ,@(map (lambda (internal inherited)
- `(,(get-binding-name internal)
- ,(utils:read->raw inherited)))
- (z:inherit-clause-internals clause)
- (z:inherit-clause-imports clause))))
- ((z:rename-clause? clause)
- `(rename
- ,@(map (lambda (internal import)
- `(,(get-binding-name internal)
- ,(utils:read->raw import)))
- (z:rename-clause-internals clause)
- (z:rename-clause-imports clause))))
- ((z:sequence-clause? clause)
- `(sequence
- ,@(map cheap-wrap-recur
- (z:sequence-clause-exprs clause))))))
- (z:class*/names-form-inst-clauses expr))))
- null))]
-
- [else
- (e:internal-error
- expr
- "stepper:annotate/inner: unknown object to annotate, ~a~n"
- expr)])))
-
- (define (annotate/top-level expr)
- (let-values ([(annotated dont-care)
- (annotate/inner expr 'all #f #t)])
- annotated)))
-
- ; body of local
-
- (let* ([annotated-exprs (map (lambda (expr)
- (annotate/top-level expr))
- parsed-exprs)])
- (values annotated-exprs
- struct-proc-names))))
-
-)
-
diff --git a/collects/stepper/break.ss b/collects/stepper/break.ss
deleted file mode 100644
index c8dd6cdf..00000000
--- a/collects/stepper/break.ss
+++ /dev/null
@@ -1,26 +0,0 @@
-(unit/sig (break)
- (import [mred : mred^]
- [marks : stepper:marks^]
- [annotate : stepper:annotate^])
-
- (define drscheme-eventspace (mred:current-eventspace))
- (define break-semaphore (make-semaphore))
- (define break-resume-value #f)
-
- (define (break)
- (let ([break-info (continuation-mark-set->list (current-continuation-marks)
- annotate:debug-key)])
- (parameterize
- ([mred:current-eventspace drscheme-eventspace])
- (mred:queue-callback
- (lambda ()
- (current-namespace (make-namespace))
- (global-defined-value 'break-info break-info)
- (global-defined-value 'break-resume (lambda (val)
- (set! break-resume-value val)
- (semaphore-post break-semaphore)))
- (global-defined-value 'expose-mark marks:expose-mark)
- (global-defined-value 'display-mark marks:display-mark)
- (mred:graphical-read-eval-print-loop)))
- (semaphore-wait break-semaphore)
- break-resume-value))))
\ No newline at end of file
diff --git a/collects/stepper/client-procs.ss b/collects/stepper/client-procs.ss
deleted file mode 100644
index 85d73fa4..00000000
--- a/collects/stepper/client-procs.ss
+++ /dev/null
@@ -1,14 +0,0 @@
-(unit/sig stepper:client-procs^
- (import [z : zodiac:system^])
-
- (define (make-client-pair name)
- (let-values ([(getter setter) (z:register-client name (lambda () #f))])
- (values
- (lambda (parsed) (getter (z:parsed-back parsed)))
- (lambda (parsed n) (setter (z:parsed-back parsed) n)))))
-
- (define-values (never-undefined-getter never-undefined-setter)
- (make-client-pair 'maybe-undefined))
-
- (define-values (read-getter read-setter)
- (make-client-pair 'read)))
\ No newline at end of file
diff --git a/collects/stepper/debug-wrapper.ss b/collects/stepper/debug-wrapper.ss
deleted file mode 100644
index 73d9634f..00000000
--- a/collects/stepper/debug-wrapper.ss
+++ /dev/null
@@ -1,40 +0,0 @@
-(unit/sig plt:aries-no-break^
- (import [zodiac : zodiac:system^]
- [utils : stepper:cogen-utils^]
- [marks : stepper:marks^]
- [annotate : stepper:annotate^])
-
- (define w-c-m-key annotate:debug-key)
-
- (define current-environments #f)
-
- (define (annotate sexp zodiac-read)
- (let-values
- ([(annotateds new-envs)
- (annotate:annotate (and zodiac-read (list zodiac-read))
- (list sexp)
- current-environments
- #f
- #t)])
- (set! current-environments new-envs)
- (car annotateds)))
-
- (define (extract-zodiac-location mark-set)
- (let ([mark-list (continuation-mark-set->list mark-set annotate:debug-key)])
- (if (null? mark-list)
- #f
- (marks:mark-source (car mark-list)))))
-
- (define (make-zodiac-mark location)
- (marks:make-cheap-mark location))
-
- (define signal-not-boolean utils:signal-not-boolean)
- (define signal-undefined utils:signal-undefined)
-
- ; initialization --- should be called once per execute
- ; (except that (2000-02-20) it doesn't matter anyway because
- ; these environments are totally irrelevant to non-stepper
- ; use of the annotater.
- (set! current-environments annotate:initial-env-package))
-
-
\ No newline at end of file
diff --git a/collects/stepper/doc.txt b/collects/stepper/doc.txt
deleted file mode 100644
index caaabc93..00000000
--- a/collects/stepper/doc.txt
+++ /dev/null
@@ -1,36 +0,0 @@
-What is the _Stepper_?
-
-DrScheme includes an "algebraic stepper," a tool which proceeds through the
-evaluation of a set of definitions and expressions, one step at a time.
-This evaluation shows the user how DrScheme evaluates expressions and
-definitions, and can help in debugging programs. Currently, the Stepper is
-available in the "Beginner" and "Intermediate" language levels.
-
-How do I use the Stepper?
-
-The Stepper operates on the contents of the frontmost DrScheme window. A click
-on the "Step" button brings up the stepper window. The stepper window has
-three boxes; each one is separated by a blue horizontal line.
-
-The first box shows definitions and expressions whose evaluation is
-complete. This box is changed only when another completed evaluation's
-result is added to it.
-
-The second box shows the current expression. The region highlighted in
-green is known as the "redex". You may pronounce this word in any way you
-want. It is short for "reducible expression," and it is the expression
-which is the next to be simplified.
-
-The third box shows the result of the reduction. The region highlighted
-in purple is the new expression which is substituted for the green one as
-a result of the reduction.
-
-For more information on how DrScheme selects a "redex" and how the
-expressions are reduced, please see The Beginner Language Semantics
-which formally specify the set of rules governing the language's evaluation.
-
-There are three buttons at the top of the stepper window. The "Home"
-button returns to the initial state of the evaluation: id est, no
-expressions have yet been evaluated. The "Previous" button returns to the
-prior step of the evaluation. The "Next" step shows the next step in the
-evaluation.
diff --git a/collects/stepper/fake-model.ss b/collects/stepper/fake-model.ss
deleted file mode 100644
index 2d0d9697..00000000
--- a/collects/stepper/fake-model.ss
+++ /dev/null
@@ -1,19 +0,0 @@
-; this is an icky hack: the annotater wants to know whether procedures are primitives;
-; if they are, it wraps their applications with return-value breaks. For the purposes
-; of the debugger, it doesn't matter, since no breaks are really inserted anyway.
-; So this unit is a complete farce.
-
-(unit/sig stepper:model^
- (import)
-
- (define check-pre-defined-var
- (lambda (ignored) #f))
-
- (define check-global-defined 'fake)
- (define global-lookup 'fake)
- (define constructor-style-printing? 'fake)
- (define abbreviate-cons-as-list? 'fake)
- (define user-cons? 'fake)
- (define user-vector? 'fake)
- (define image? 'fake)
- (define print-convert 'fake))
\ No newline at end of file
diff --git a/collects/stepper/info.ss b/collects/stepper/info.ss
deleted file mode 100644
index dcbbde1e..00000000
--- a/collects/stepper/info.ss
+++ /dev/null
@@ -1,7 +0,0 @@
-(lambda (request failure)
- (case request
- [(name) "stepper"]
- [(compile-prefix) '(begin (require-library "sig.ss" "stepper")
- (require-library "drsig.ss" "drscheme"))]
- [(compile-omit-files) '("test.ss" "testr.ss" "sig.ss")]
- [else (failure)]))
\ No newline at end of file
diff --git a/collects/stepper/instance.ss b/collects/stepper/instance.ss
deleted file mode 100644
index 191cd60d..00000000
--- a/collects/stepper/instance.ss
+++ /dev/null
@@ -1,46 +0,0 @@
-; stepper-instance
-
-(compound-unit/sig
- (import (model-input : stepper:model-input^)
- (core : mzlib:core^)
- (error : zodiac:interface^)
- (print-convert : mzlib:print-convert^)
- (drscheme : drscheme:export^)
- (zodiac : zodiac:system^)
- (zcp : stepper:client-procs^)
- (shared : stepper:shared^)
- (mred : mred^)
- (utils : stepper:cogen-utils^)
- (marks : stepper:marks^))
- (link [stepper-annotate : stepper:annotate^
- ((require-library-unit/sig "annotater.ss" "stepper")
- zodiac
- (core function)
- error
- utils
- marks
- stepper
- shared
- zcp)]
- [reconstruct : stepper:reconstruct^
- ((require-library-unit/sig "reconstructr.ss" "stepper")
- zodiac
- (core function)
- error
- utils
- (drscheme basis)
- marks
- stepper
- shared)]
- [stepper : stepper:model^
- ((require-library-unit/sig "model.ss" "stepper")
- model-input
- mred
- zodiac
- drscheme
- print-convert
- error
- stepper-annotate
- reconstruct
- shared)])
- (export))
diff --git a/collects/stepper/link-jr.ss b/collects/stepper/link-jr.ss
deleted file mode 100644
index 112fa737..00000000
--- a/collects/stepper/link-jr.ss
+++ /dev/null
@@ -1,42 +0,0 @@
-(compound-unit/sig
- (import (core : mzlib:core^)
- (zodiac : zodiac:system^)
- (error : zodiac:interface^))
- (link [pretty : mzlib:pretty-print^ ((require-library-unit/sig "prettyr.ss"))]
- [client-procs : stepper:client-procs^
- ((require-library-unit/sig "client-procs.ss" "stepper")
- zodiac)]
- [marks : stepper:marks^
- ((require-library-unit/sig "marks.ss" "stepper")
- zodiac
- client-procs
- (core function))]
- [utils : stepper:cogen-utils^
- ((require-library-unit/sig "utils.ss" "stepper")
- zodiac
- error)]
- [shared : stepper:shared^ ((require-library-unit/sig "sharedr.ss" "stepper")
- zodiac
- error
- client-procs)]
- [fake-stepper : stepper:model^
- ((require-library-unit/sig "fake-model.ss" "stepper"))]
- [annotate : stepper:annotate^
- ((require-library-unit/sig "annotater.ss" "stepper")
- zodiac
- (core function)
- error
- utils
- marks
- fake-stepper
- shared
- client-procs)]
- [debug-wrapper : plt:aries-no-break^
- ((require-library-unit/sig "debug-wrapper.ss" "stepper")
- zodiac
- utils
- marks
- annotate)]
- [break : (break)
- ((unit/sig (break) (import) (define break (lambda () #f))))])
- (export (open debug-wrapper) (open break)))
\ No newline at end of file
diff --git a/collects/stepper/link.ss b/collects/stepper/link.ss
deleted file mode 100644
index 652740e0..00000000
--- a/collects/stepper/link.ss
+++ /dev/null
@@ -1,72 +0,0 @@
-; link.ss
-
-(compound-unit/sig
- (import (core : mzlib:core^)
- (framework : framework^)
- (print-convert : mzlib:print-convert^)
- (mred : mred^)
- (drscheme : drscheme:export^)
- (zodiac : zodiac:system^)
- (error : zodiac:interface^))
- (link [pretty : mzlib:pretty-print^ ((require-library-unit/sig "prettyr.ss"))]
- [client-procs : stepper:client-procs^
- ((require-library-unit/sig "client-procs.ss" "stepper")
- zodiac)]
- [marks : stepper:marks^
- ((require-library-unit/sig "marks.ss" "stepper")
- zodiac
- client-procs
- (core function))]
- [utils : stepper:cogen-utils^
- ((require-library-unit/sig "utils.ss" "stepper")
- zodiac
- error)]
- [shared : stepper:shared^ ((require-library-unit/sig "sharedr.ss" "stepper")
- zodiac
- error
- client-procs)]
- [fake-stepper : stepper:model^
- ((require-library-unit/sig "fake-model.ss" "stepper"))]
- [annotate : stepper:annotate^
- ((require-library-unit/sig "annotater.ss" "stepper")
- zodiac
- (core function)
- error
- utils
- marks
- fake-stepper
- shared
- client-procs)]
- [debug-wrapper : plt:aries-no-break^
- ((require-library-unit/sig "debug-wrapper.ss" "stepper")
- zodiac
- utils
- marks
- annotate)]
- [break : (break)
- ((require-library-unit/sig "break.ss" "stepper")
- mred
- marks
- annotate)]
- [stepper-view-controller : (stepper-go)
- ((require-library-unit/sig "view-controller.ss" "stepper")
- core
- error
- zodiac
- client-procs
- pretty
- mred
- drscheme
- print-convert
- framework
- shared
- utils
- marks)]
- [stepper-startup : ()
- ((require-library-unit/sig "startup.ss" "stepper")
- core
- mred
- framework
- drscheme
- stepper-view-controller)])
- (export (open debug-wrapper) (open break)))
diff --git a/collects/stepper/marks.ss b/collects/stepper/marks.ss
deleted file mode 100644
index d13b801c..00000000
--- a/collects/stepper/marks.ss
+++ /dev/null
@@ -1,74 +0,0 @@
-(unit/sig stepper:marks^
- (import [z : zodiac:system^]
- [cp : stepper:client-procs^]
- mzlib:function^)
-
- (define (make-full-mark location label bindings)
- `(#%lambda () (#%list ,location (#%quote ,label) ,@(apply append bindings))))
-
- (define (make-cheap-mark location)
- location)
-
- (define (cheap-mark? mark)
- (z:zodiac? mark))
-
- (define (cheap-mark-source mark)
- mark)
-
- (define (mark-source mark)
- (if (cheap-mark? mark)
- (cheap-mark-source mark)
- (car (mark))))
-
- (define (mark-bindings mark)
- (letrec ([pair-off
- (lambda (lst)
- (cond [(null? lst) null]
- [(null? (cdr lst)) (error 'mark-bindings "uneven number of vars and bindings")]
- [else (cons (list (car lst) (cadr lst)) (pair-off (cddr lst)))]))])
- (pair-off (cddr (mark)))))
-
- (define (mark-label mark)
- (cadr (mark)))
-
- (define (mark-binding-value mark-binding)
- (car mark-binding))
-
- (define (mark-binding-binding mark-binding)
- (cadr mark-binding))
-
- (define (expose-mark mark)
- (let ([source (mark-source mark)]
- [label (mark-label mark)]
- [bindings (mark-bindings mark)])
- (list source
- label
- (map (lambda (binding)
- (list (z:binding-orig-name (mark-binding-binding binding))
- (mark-binding-value binding)))
- bindings))))
-
- (define (display-mark mark)
- (let ([exposed (expose-mark mark)])
- (printf "source: ~a~n" (let ([read (cp:read-getter (car exposed))])
- (and read
- (z:sexp->raw read))))
- (printf "label: ~a~n" (cadr exposed))
- (printf "bindings:~n")
- (for-each (lambda (binding-pair)
- (printf " ~a : ~a~n" (car binding-pair) (cadr binding-pair)))
- (caddr exposed))))
-
- (define (lookup-binding mark-list binding)
- (if (null? mark-list)
- (error 'lookup-binding "variable not found in environment: ~a" binding)
- (let* ([bindings (mark-bindings (car mark-list))]
- [matches (filter (lambda (b)
- (eq? binding (mark-binding-binding b)))
- bindings)])
- (cond [(null? matches)
- (lookup-binding (cdr mark-list) binding)]
- [(> (length matches) 1)
- (error 'lookup-binding "more than one variable binding found for binding: ~a" binding)]
- [else ; (length matches) = 1
- (car matches)])))))
diff --git a/collects/stepper/model.ss b/collects/stepper/model.ss
deleted file mode 100644
index 452ba7e5..00000000
--- a/collects/stepper/model.ss
+++ /dev/null
@@ -1,286 +0,0 @@
-(unit/sig stepper:model^
- (import [i : stepper:model-input^]
- mred^
- [z : zodiac:system^]
- [d : drscheme:export^]
- [p : mzlib:print-convert^]
- [e : zodiac:interface^]
- [a : stepper:annotate^]
- [r : stepper:reconstruct^]
- stepper:shared^)
-
- (define image? i:image?)
-
- (define (send-to-other-eventspace eventspace thunk)
- (parameterize ([current-eventspace eventspace])
- (queue-callback thunk)))
-
- (define drscheme-eventspace (current-eventspace))
-
- (define (send-to-drscheme-eventspace thunk)
- (send-to-other-eventspace drscheme-eventspace thunk))
-
- (define par-constructor-style-printing #f)
- (define (constructor-style-printing?)
- par-constructor-style-printing)
-
- (define par-abbreviate-cons-as-list #f)
- (define (abbreviate-cons-as-list?)
- par-abbreviate-cons-as-list)
-
- (define par-cons #f)
- (define (user-cons? val)
- (eq? val par-cons))
-
- (define par-vector #f)
- (define (user-vector? val)
- (eq? val par-vector))
-
- (define user-pre-defined-vars #f)
-
- (define (check-pre-defined-var identifier)
- (memq identifier user-pre-defined-vars))
-
- (define user-namespace #f)
-
- (define (check-global-defined identifier)
- (with-handlers
- ([exn:variable? (lambda args #f)])
- (global-lookup identifier)
- #t))
-
- (define (global-lookup identifier)
- (parameterize ([current-namespace user-namespace])
- (global-defined-value identifier)))
-
- (define finished-exprs null)
-
- (define current-expr #f)
- (define packaged-envs a:initial-env-package)
-
- (define user-eventspace (make-eventspace))
-
- ;; user eventspace management
-
- ; here's how this stuff works. To prevent the processing of any old events
- ; on the user's eventspace queue, suspend-user-computation basically sits
- ; on the thread. The only way to get anything done on this thread is to
- ; release the stepper-semaphore, either with a command of 'step, which
- ; allows the user-eventspace thread to return to whatever it was doing
- ; when it was suspended, or with a thunk command, in which case the
- ; user eventspace thread goes and executes that thunk before resuming
- ; waiting. The stepper-command-waiting semaphore is used to prevent
- ; stacked requests from demolishing each other. It might be better to
- ; use a queue for this.
-
- (define stepper-semaphore (make-semaphore))
- (define stepper-command-waiting-semaphore (make-semaphore))
- (semaphore-post stepper-command-waiting-semaphore)
- (define stepper-return-val-semaphore (make-semaphore))
- (define stepper-awaken-arg #f)
- (define eval-depth 0)
-
- (define (suspend-user-computation)
- (semaphore-wait stepper-semaphore)
- (let ([local-awaken-arg stepper-awaken-arg])
- (semaphore-post stepper-command-waiting-semaphore)
- (cond
- [(eq? local-awaken-arg 'step)
- (void)]
- [(procedure? local-awaken-arg)
- (set! eval-depth (+ eval-depth 1))
- (local-awaken-arg)
- (set! eval-depth (- eval-depth 1))
- (suspend-user-computation)]
- [else (e:internal-error "unknown value in stepper-awaken-arg.")])))
-
- (define (continue-user-computation)
- (semaphore-wait stepper-command-waiting-semaphore)
- (set! stepper-awaken-arg 'step)
- (semaphore-post stepper-semaphore))
-
- (define (send-to-user-eventspace thunk)
- (semaphore-wait stepper-command-waiting-semaphore)
- (set! stepper-awaken-arg thunk)
- (semaphore-post stepper-semaphore))
-
- ;; start user thread going
- (send-to-other-eventspace
- user-eventspace
- suspend-user-computation)
-
- (define user-primitive-eval #f)
- (define user-vocabulary #f)
-
- (define reader
- (z:read i:text-stream
- (z:make-location 1 1 0 "stepper-text")))
-
- (send-to-user-eventspace
- (lambda ()
- (set! user-primitive-eval (current-eval))
- (d:basis:initialize-parameters (make-custodian) i:settings)
- (set! user-namespace (current-namespace))
- (set! user-pre-defined-vars (map car (make-global-value-list)))
- (set! user-vocabulary (d:basis:current-vocabulary))
- (set! par-constructor-style-printing (p:constructor-style-printing))
- (set! par-abbreviate-cons-as-list (p:abbreviate-cons-as-list))
- (set! par-cons (global-defined-value 'cons))
- (set! par-vector (global-defined-value 'vector))
- (semaphore-post stepper-return-val-semaphore)))
- (semaphore-wait stepper-return-val-semaphore)
-
- (define print-convert
- (let ([print-convert-result 'not-a-real-value])
- (lambda (val)
- (send-to-user-eventspace
- (lambda ()
- (set! print-convert-result
- (parameterize ([p:current-print-convert-hook
- (lambda (v basic-convert sub-convert)
- (if (image? v)
- v
- (basic-convert v)))])
- (p:print-convert val)))
- (semaphore-post stepper-return-val-semaphore)))
- (semaphore-wait stepper-return-val-semaphore)
- print-convert-result)))
-
- (define (read-next-expr)
- (send-to-user-eventspace
- (lambda ()
- (let/ec k
- (let ([exception-handler (make-exception-handler k)])
- (d:interface:set-zodiac-phase 'reader)
- (let* ([new-expr (with-handlers
- ((exn:read? exception-handler))
- (reader))])
- (if (z:eof? new-expr)
- (begin
- (send-to-drscheme-eventspace
- (lambda ()
- (i:receive-result (make-finished-result finished-exprs))))
- 'finished)
- (let* ([new-parsed (if (z:eof? new-expr)
- #f
- (begin
- (d:interface:set-zodiac-phase 'expander)
- (with-handlers
- ((exn:syntax? exception-handler))
- (z:scheme-expand new-expr 'previous user-vocabulary))))])
- (let*-values ([(annotated-list envs) (a:annotate (list new-expr) (list new-parsed) packaged-envs break #f)]
- [(annotated) (car annotated-list)])
- (set! packaged-envs envs)
- (set! current-expr new-parsed)
- (check-for-repeated-names new-parsed exception-handler)
- (let ([expression-result
- (parameterize ([current-exception-handler exception-handler])
- (user-primitive-eval annotated))])
- (send-to-drscheme-eventspace
- (lambda ()
- (add-finished-expr expression-result)
- (read-next-expr)))))))))))))
-
- (define (check-for-repeated-names expr exn-handler)
- (with-handlers
- ([exn:user? exn-handler]
- [exn:syntax? exn-handler])
- (when (z:define-values-form? expr)
- (for-each (lambda (name)
- (when (check-global-defined name)
- (e:static-error expr
- "name is already bound: ~s" name)))
- (map z:varref-var (z:define-values-form-vars expr))))))
-
- (define (add-finished-expr expression-result)
- (let ([reconstructed (r:reconstruct-completed current-expr expression-result)])
- (set! finished-exprs (append finished-exprs (list reconstructed)))))
-
- (define held-expr no-sexp)
- (define held-redex no-sexp)
-
- (define (break mark-list break-kind returned-value-list)
- (let ([reconstruct-helper
- (lambda (finish-thunk)
- (send-to-drscheme-eventspace
- (lambda ()
- (let* ([reconstruct-pair
- (r:reconstruct-current current-expr mark-list break-kind returned-value-list)]
- [reconstructed (car reconstruct-pair)]
- [redex (cadr reconstruct-pair)])
- (finish-thunk reconstructed redex)))))])
- (case break-kind
- [(normal-break)
- (when (not (r:skip-redex-step? mark-list))
- (reconstruct-helper
- (lambda (reconstructed redex)
- (set! held-expr reconstructed)
- (set! held-redex redex)
- (continue-user-computation)))
- (suspend-user-computation))]
- [(result-break)
- (when (not (or (r:skip-redex-step? mark-list)
- (and (null? returned-value-list)
- (eq? held-expr no-sexp))))
- (reconstruct-helper
- (lambda (reconstructed reduct)
-; ; this invariant (contexts should be the same)
-; ; fails in the presence of unannotated code. For instance,
-; ; currently (map my-proc (cons 3 empty)) goes to
-; ; (... ...), where the context of the first one is
-; ; empty and the context of the second one is (... ...).
-; ; so, I'll just disable this invariant test.
-; (when (not (equal? reconstructed held-expr))
-; (e:internal-error 'reconstruct-helper
-; "pre- and post- redex/uct wrappers do not agree:~nbefore: ~a~nafter~a"
-; held-expr reconstructed))
- (let ([result (make-before-after-result finished-exprs
- held-expr
- held-redex
- reconstructed
- reduct)])
- (set! held-expr no-sexp)
- (set! held-redex no-sexp)
- (i:receive-result result))))
- (suspend-user-computation))]
- [(double-break)
- ; a double-break occurs at the beginning of a let's body.
- (send-to-drscheme-eventspace
- (lambda ()
- (let* ([reconstruct-quintuple
- (r:reconstruct-current current-expr mark-list break-kind returned-value-list)])
- (set! finished-exprs (append finished-exprs (car reconstruct-quintuple)))
- (when (not (eq? held-expr no-sexp))
- (e:internal-error 'break-reconstruction
- "held-expr not empty when a double-break occurred"))
- (i:receive-result (apply make-before-after-result
- finished-exprs
- (cdr reconstruct-quintuple))))))
- (suspend-user-computation)]
- [else (e:internal-error 'break "unknown label on break")])))
-
- (define (handle-exception exn)
- (if (not (eq? held-expr no-sexp))
- (begin
- (printf "held-expr: ~a~n" held-expr)
- (i:receive-result (make-before-error-result finished-exprs held-expr held-redex (exn-message exn))))
- (begin
- (printf "no held sexp~n")
- (i:receive-result (make-error-result finished-exprs (exn-message exn))))))
-
- (define (make-exception-handler k)
- (lambda (exn)
- (send-to-drscheme-eventspace
- (lambda ()
- (handle-exception exn)))
- (k)))
-
- ; start the ball rolling with a "fake" user computation
- (send-to-user-eventspace
- (lambda ()
- (suspend-user-computation)
- (send-to-drscheme-eventspace
- read-next-expr)))
-
- ; result of invoking stepper-instance : (->)
- continue-user-computation)
\ No newline at end of file
diff --git a/collects/stepper/reconstructr.ss b/collects/stepper/reconstructr.ss
deleted file mode 100644
index 627837c7..00000000
--- a/collects/stepper/reconstructr.ss
+++ /dev/null
@@ -1,623 +0,0 @@
-(unit/sig stepper:reconstruct^
- (import [z : zodiac:system^]
- mzlib:function^
- [e : zodiac:interface^]
- [utils : stepper:cogen-utils^]
- [b : plt:basis^]
- stepper:marks^
- [s : stepper:model^]
- stepper:shared^)
-
- (define the-undefined-value (letrec ([x x]) x))
-
- (define nothing-so-far (gensym "nothing-so-far-"))
-
- (define memoized-read->raw
- (let ([table (make-hash-table-weak)])
- (lambda (read)
- (or (hash-table-get table read (lambda () #f))
- (let ([raw (z:sexp->raw read)])
- (hash-table-put! table read raw)
- raw)))))
-
- (define (make-apply-pred-to-raw pred)
- (lambda (expr)
- (pred (memoized-read->raw (expr-read expr)))))
-
- (define (make-check-raw-first-symbol symbol)
- (make-apply-pred-to-raw
- (lambda (raw)
- (and (pair? raw)
- (eq? (car raw) symbol)))))
-
- (define comes-from-define?
- (make-check-raw-first-symbol 'define))
-
- (define comes-from-define-procedure?
- (make-apply-pred-to-raw
- (lambda (raw) (and (pair? raw)
- (eq? (car raw) 'define)
- (pair? (cadr raw))))))
-
- (define comes-from-lambda-defined-procedure?
- (make-apply-pred-to-raw
- (lambda (raw) (and (pair? raw)
- (eq? (car raw) 'define)
- (pair? (caddr raw))
- (eq? (caaddr raw) 'lambda)))))
-
- (define comes-from-define-struct?
- (make-check-raw-first-symbol 'define-struct))
-
- (define comes-from-cond?
- (make-check-raw-first-symbol 'cond))
-
- (define comes-from-lambda?
- (make-check-raw-first-symbol 'lambda))
-
- (define comes-from-case-lambda?
- (make-check-raw-first-symbol 'case-lambda))
-
- (define comes-from-and?
- (make-check-raw-first-symbol 'and))
-
- (define comes-from-or?
- (make-check-raw-first-symbol 'or))
-
- ; the lifted-names table maps bindings to numbers. the number,
- ; essentially, is how we avoid clashes. So, if a binding with
- ; the original name "foo" is associated with the number "2",
- ; the lifted name will be "~foo~2". Note that you _need_
- ; that second tilde; otherwise there could be an overlap,
- ; e.g. (foo 12) => ~foo12, (foo1 2) => ~foo12.
-
- (define lifted-names-table (make-hash-table-weak))
-
- (define (insert-lifted-name binding)
- (let* ([binding-name (z:binding-orig-name binding)]
- [matching (filter
- (lambda (key&val) (eq? (car key&val) binding-name))
- (hash-table-map lifted-names-table (lambda (key val) (list (z:binding-orig-name key) val))))]
- [matching-nums (map cadr matching)]
- [free-num (let loop ([try-index 0])
- (if (memq try-index matching-nums)
- (loop (+ try-index 1))
- try-index))])
- (hash-table-put! lifted-names-table binding free-num)
- (string->symbol (string-append "~" (symbol->string binding-name) "~" (number->string free-num)))))
-
- (define (lookup-lifted-name binding)
- (cond [(hash-table-get lifted-names-table binding (lambda () #f)) =>
- (lambda (binding-number)
- (string->symbol (string-append "~" (symbol->string (z:binding-orig-name binding)) "~"
- (number->string binding-number))))]
- [else ; the user is about to get the undefined value in a letrec...
- (z:binding-orig-name binding)]))
-
- (define (rectify-value val)
- (let ([closure-record (closure-table-lookup val (lambda () #f))])
- (cond
- [closure-record
- (or (closure-record-name closure-record)
- (let ([mark (closure-record-mark closure-record)])
- (o-form-case-lambda->lambda
- (rectify-source-expr (mark-source mark) (list mark) null))))]
- [else
- (s:print-convert val)])))
-
- (define (o-form-case-lambda->lambda o-form)
- (cond [(eq? (car o-form) 'lambda)
- o-form]
- [else ; o-form = case-lambda
- (let ([args (caadr o-form)]
- [body-exps (cdr (cadr o-form))])
- `(lambda ,args ,@body-exps))]))
-
- (define (o-form-lambda->define o-form name)
- (let ([args (cadr o-form)]
- [body-exps (cddr o-form)])
- `(define (,name ,@args) ,@body-exps)))
-
- (define (final-mark-list? mark-list)
- (and (not (null? mark-list)) (eq? (mark-label (car mark-list)) 'final)))
-
- (define continuation?
- (let ([r (regexp "#")])
- (lambda (k)
- (let ([p (open-output-string)])
- (display k p)
- (not (not (regexp-match r (get-output-string p))))))))
-
- (define (skip-result-step? mark-list)
- (in-inserted-else-clause mark-list))
-
- (define (skip-redex-step? mark-list)
- (and (pair? mark-list)
- (let ([expr (mark-source (car mark-list))])
- (or (and (z:varref? expr)
- (or (z:lambda-varref? expr)
- (let ([var (z:varref-var expr)])
- (with-handlers
- ([exn:variable? (lambda args #f)])
- (or (and (s:check-pre-defined-var var)
- (or (procedure? (s:global-lookup var))
- (eq? var 'empty)))
- (let ([val (if (z:top-level-varref? expr)
- (s:global-lookup var)
- (lookup-binding mark-list (z:bound-varref-binding expr)))])
- (and (procedure? val)
- (not (continuation? val))
- (eq? var
- (closure-record-name
- (closure-table-lookup val (lambda () #f)))))))))))
- (and (z:app? expr)
- (let ([fun-val (mark-binding-value
- (lookup-binding mark-list (get-arg-binding 0)))])
- (and (procedure? fun-val)
- (procedure-arity-includes?
- fun-val
- (length (z:app-args expr)))
- (or (and (s:constructor-style-printing?)
- (if (s:abbreviate-cons-as-list?)
- (eq? fun-val list) ; that needs exporting too.
- (and (s:user-cons? fun-val)
- (second-arg-is-list? mark-list))))
- (s:user-vector? fun-val)
- (and (eq? fun-val void)
- (eq? (z:app-args expr) null))
- (struct-constructor-procedure? fun-val)
- ; this next clause may be obviated by the previous one.
- (let ([closure-record (closure-table-lookup fun-val (lambda () #f))])
- (and closure-record
- (closure-record-constructor? closure-record)))))))
- (in-inserted-else-clause mark-list)))))
-
- (define (second-arg-is-list? mark-list)
- (let ([arg-val (mark-binding-value (lookup-binding mark-list (get-arg-binding 2)))])
- (list? arg-val)))
-
- (define (in-inserted-else-clause mark-list)
- (and (not (null? mark-list))
- (let ([expr (mark-source (car mark-list))])
- (or (and (z:zodiac? expr)
- (not (z:if-form? expr))
- (comes-from-cond? expr))
- (in-inserted-else-clause (cdr mark-list))))))
-
- ; rectify-source-expr (z:parsed (ListOf Mark) (ListOf z:binding) -> sexp)
-
- (define (rectify-source-expr expr mark-list lexically-bound-bindings)
- (let ([recur (lambda (expr) (rectify-source-expr expr mark-list lexically-bound-bindings))]
- [let-recur (lambda (expr bindings) (rectify-source-expr expr mark-list (append bindings lexically-bound-bindings)))])
- (cond [(z:varref? expr)
- (cond [(z:bound-varref? expr)
- (let ([binding (z:bound-varref-binding expr)])
- (if (memq binding lexically-bound-bindings)
- (z:binding-orig-name binding)
- (if (z:lambda-binding? binding)
- (rectify-value (mark-binding-value (lookup-binding mark-list (z:bound-varref-binding expr))))
- (lookup-lifted-name binding))))]
- [(z:top-level-varref? expr)
- (z:varref-var expr)])]
-
- [(z:app? expr)
- (map recur (cons (z:app-fun expr) (z:app-args expr)))]
-
- [(z:struct-form? expr)
- (if (comes-from-define-struct? expr)
- (e:internal-error expr "this expression should have been skipped during reconstruction")
- (let ([super-expr (z:struct-form-super expr)]
- [raw-type (utils:read->raw (z:struct-form-type expr))]
- [raw-fields (map utils:read->raw (z:struct-form-fields expr))])
- (if super-expr
- `(struct (,raw-type ,(recur super-expr))
- ,raw-fields)
- `(struct ,raw-type ,raw-fields))))]
-
- [(z:if-form? expr)
- (cond
- [(comes-from-cond? expr)
- `(cond ,@(rectify-cond-clauses (z:zodiac-start expr) expr mark-list lexically-bound-bindings))]
- [(comes-from-and? expr)
- `(and ,@(rectify-and-clauses (z:zodiac-start expr) expr mark-list lexically-bound-bindings))]
- [(comes-from-or? expr)
- `(or ,@(rectify-or-clauses (z:zodiac-start expr) expr mark-list lexically-bound-bindings))]
- [else
- `(if ,(recur (z:if-form-test expr))
- ,(recur (z:if-form-then expr))
- ,(recur (z:if-form-else expr)))])]
-
- [(z:quote-form? expr)
- (let ([raw (utils:read->raw (z:quote-form-expr expr))])
- (rectify-value raw)
-; (cond [(or (string? raw)
-; (number? raw)
-; (boolean? raw)
-; (s:image? raw))
-; raw]
-; [else
-; `(quote ,raw)])
- )]
-
- [(z:let-values-form? expr)
- (let* ([bindings (z:let-values-form-vars expr)]
- [binding-names (map (lambda (b-list) (map z:binding-orig-name b-list)) bindings)]
- [right-sides (map recur (z:let-values-form-vals expr))]
- [must-be-values? (ormap (lambda (n-list) (not (= (length n-list) 1))) binding-names)]
- [rectified-body (let-recur (z:let-values-form-body expr) bindings)])
- (if must-be-values?
- `(let-values ,(map list binding-names right-sides) ,rectified-body)
- `(let ,(map list (map car binding-names) right-sides) ,rectified-body)))]
-
- [(z:letrec-values-form? expr)
- (let* ([bindings (z:letrec-values-form-vars expr)]
- [binding-names (map (lambda (b-list) (map z:binding-orig-name b-list)) bindings)]
- [right-sides (map (lambda (expr) (let-recur expr bindings))
- (z:letrec-values-form-vals expr))]
- [must-be-values? (ormap (lambda (n-list) (not (= (length n-list) 1))) binding-names)]
- [rectified-body (let-recur (z:letrec-values-form-body expr) bindings)])
- (if must-be-values?
- `(letrec-values ,(map list binding-names right-sides) ,rectified-body)
- `(letrec ,(map list (map car binding-names) right-sides) ,rectified-body)))]
-
- [(z:case-lambda-form? expr)
- (let* ([arglists (z:case-lambda-form-args expr)]
- [bodies (z:case-lambda-form-bodies expr)]
- [o-form-arglists
- (map (lambda (arglist)
- (utils:improper-map z:binding-orig-name
- (utils:arglist->ilist arglist)))
- arglists)]
- [binding-form-arglists (map z:arglist-vars arglists)]
- [o-form-bodies
- (map (lambda (body binding-form-arglist) (let-recur body binding-form-arglist))
- bodies
- binding-form-arglists)])
- (cond [(or (comes-from-lambda? expr) (comes-from-define? expr))
- `(lambda ,(car o-form-arglists) ,(car o-form-bodies))]
- [(comes-from-case-lambda? expr)
- `(case-lambda ,@(map list o-form-arglists o-form-bodies))]
- [else
- (e:internal-error expr "unknown source for case-lambda")]))]
-
- ; we won't call rectify-source-expr on define-values expressions
-
- [else
- (print-struct #t)
- (e:internal-error
- expr
- (format "stepper:rectify-source: unknown object to rectify, ~a~n" expr))])))
-
- ; these macro unwinders (and, or) are specific to beginner level
-
- (define (rectify-and-clauses and-source expr mark-list lexically-bound-bindings)
- (let ([rectify-source (lambda (expr) (rectify-source-expr expr mark-list lexically-bound-bindings))])
- (if (and (z:if-form? expr) (equal? and-source (z:zodiac-start expr)))
- (cons (rectify-source (z:if-form-test expr))
- (rectify-and-clauses and-source (z:if-form-then expr) mark-list lexically-bound-bindings))
- null)))
-
- (define (rectify-or-clauses or-source expr mark-list lexically-bound-bindings)
- (let ([rectify-source (lambda (expr) (rectify-source-expr expr mark-list lexically-bound-bindings))])
- (if (and (z:if-form? expr) (equal? or-source (z:zodiac-start expr)))
- (cons (rectify-source (z:if-form-test expr))
- (rectify-or-clauses or-source (z:if-form-else expr) mark-list lexically-bound-bindings))
- null)))
-
- (define (rectify-cond-clauses cond-source expr mark-list lexically-bound-bindings)
- (let ([rectify-source (lambda (expr) (rectify-source-expr expr mark-list lexically-bound-bindings))])
- (if (equal? cond-source (z:zodiac-start expr))
- (if (z:if-form? expr)
- (cons (list (rectify-source (z:if-form-test expr))
- (rectify-source (z:if-form-then expr)))
- (rectify-cond-clauses cond-source (z:if-form-else expr) mark-list lexically-bound-bindings))
- null)
- `((else ,(rectify-source expr))))))
-
- ; reconstruct-completed : reconstructs a completed expression or definition. This now
- ; relies upon the s:global-lookup procedure to find values in the user-namespace.
- ; I'm not yet sure whether or not 'vars' must be supplied or whether they can be derived
- ; from the expression itself.
-
- (define (reconstruct-completed expr value)
- (cond [(z:define-values-form? expr)
- (if (comes-from-define-struct? expr)
- (utils:read->raw (expr-read expr))
- (let* ([vars (map z:varref-var (z:define-values-form-vars expr))]
- [values (map s:global-lookup vars)]
- [rectified-vars (map rectify-value values)])
- (cond [(comes-from-define-procedure? expr)
- (let* ([mark (closure-record-mark (closure-table-lookup (car values)))]
- [rectified (rectify-source-expr (mark-source mark) (list mark) null)])
- (o-form-lambda->define (o-form-case-lambda->lambda rectified)
- (car vars)))]
- [(comes-from-lambda-defined-procedure? expr)
- (let* ([mark (closure-record-mark (closure-table-lookup (car values)))]
- [rectified (rectify-source-expr (mark-source mark) (list mark) null)])
- `(define ,(car vars) ,(o-form-case-lambda->lambda rectified)))]
- [(comes-from-define? expr)
- `(define ,(car vars) ,(car rectified-vars))]
- [else
- `(define-values ,vars
- ,(if (= (length values) 1)
- (car rectified-vars)
- `(values ,@rectified-vars)))])))]
- [(z:begin-form? expr) ; hack for xml stuff
- (utils:read->raw (expr-read expr))]
- [else
- (rectify-value value)]))
-
- ; reconstruct-current : takes a parsed expression, a list of marks, the kind of break, and
- ; any values that may have been returned at the break point. It produces a list containing the
- ; reconstructed sexp, and the (contained) sexp which is the redex. If the redex is a heap value
- ; (and can thus be distinguished from syntactically identical occurrences of that value using
- ; eq?), it is embedded directly in the sexp. Otherwise, its place in the sexp is taken by the
- ; highlight-placeholder, which is replaced by the highlighted redex in the construction of the
- ; text%
-
- ; z:parsed (list-of mark) symbol (list-of value) ->
- ; (list sexp sexp)
-
- (define (reconstruct-current expr mark-list break-kind returned-value-list)
-
- (local
- ((define (rectify-source-top-marks expr)
- (rectify-source-expr expr mark-list null))
-
- (define (rectify-top-level expr so-far)
- (if (z:define-values-form? expr)
- (let ([vars (z:define-values-form-vars expr)]
- [val (z:define-values-form-val expr)])
- (cond [(comes-from-define-struct? expr)
- (let* ([struct-expr val]
- [super-expr (z:struct-form-super struct-expr)]
- [raw-type (utils:read->raw (z:struct-form-type struct-expr))]
- [raw-fields (map utils:read->raw (z:struct-form-fields struct-expr))])
- `(define-struct
- ,(if super-expr
- (list raw-type so-far)
- raw-type)
- ,raw-fields))]
- [(or (comes-from-define-procedure? expr)
- (and (comes-from-define? expr)
- (pair? so-far)
- (eq? (car so-far) 'lambda)))
- (let* ([proc-name (z:varref-var
- (car (z:define-values-form-vars expr)))]
- [o-form-proc so-far])
- (o-form-lambda->define o-form-proc proc-name))]
-
- [(comes-from-define? expr)
- `(define
- ,(z:varref-var (car vars))
- ,so-far)]
-
- [else
- `(define-values
- ,(map utils:read->raw vars)
- ,(rectify-source-top-marks val))]))
- so-far))
-
- (define (rectify-inner mark-list so-far)
- (let* ([rectify-source-current-marks
- (lambda (expr)
- (rectify-source-expr expr mark-list null))]
- [rectify-let
- (lambda (letrec? binding-sets vals body)
- (let+ ([val binding-list (apply append binding-sets)]
- [val binding-names (map (lambda (set) (map z:binding-orig-name set)) binding-sets)]
- [val must-be-values? (ormap (lambda (n-list) (not (= (length n-list) 1))) binding-sets)]
- [val dummy-var-list (if letrec?
- binding-list
- (build-list (length binding-list) get-arg-binding))]
- [val rhs-vals (map (lambda (arg-binding)
- (mark-binding-value (lookup-binding mark-list arg-binding)))
- dummy-var-list)]
- [val rhs-list
- (let loop ([binding-sets binding-sets] [rhs-vals rhs-vals] [rhs-sources vals])
- (cond [(null? binding-sets) null]
- [(eq? (car rhs-vals) (if letrec?
- the-undefined-value
- *unevaluated*))
- (cons so-far
- (map (lambda (expr)
- (rectify-source-expr expr mark-list (if letrec?
- binding-sets
- null)))
- (cdr rhs-sources)))]
- [else
- (let*-values ([(first-set) (car binding-sets)]
- [(set-vals remaining) (list-partition rhs-vals (length first-set))])
- (cons
- (case (length first-set)
- ((0) `(values))
- ((1) (car set-vals))
- (else `(values ,@set-vals)))
- (loop (cdr binding-sets) remaining (cdr rhs-sources))))]))]
- [val rectified-body (rectify-source-expr body mark-list binding-list)])
- (if must-be-values?
- `(,(if letrec? 'letrec-values 'let-values)
- ,(map list binding-names rhs-list) ,rectified-body)
- `(,(if letrec? 'letrec 'let)
- ,(map list (map car binding-names) rhs-list) ,rectified-body))))]
- [top-mark (car mark-list)]
- [expr (mark-source top-mark)])
- (cond
- ; variable references
- [(z:varref? expr)
- (if (eq? so-far nothing-so-far)
- (rectify-source-current-marks expr)
- (e:internal-error expr
- "variable reference given as context"))]
-
- ; applications
-
- [(z:app? expr)
- (let* ([sub-exprs (cons (z:app-fun expr) (z:app-args expr))]
- [arg-temps (build-list (length sub-exprs) get-arg-binding)]
- [arg-vals (map (lambda (arg-temp)
- (mark-binding-value (lookup-binding mark-list arg-temp)))
- arg-temps)])
- (case (mark-label (car mark-list))
- ((not-yet-called)
- (letrec
- ([split-lists
- (lambda (exprs vals)
- (if (or (null? vals)
- (eq? (car vals) *unevaluated*))
- (values null exprs)
- (let-values ([(small-vals small-exprs)
- (split-lists (cdr exprs) (cdr vals))])
- (values (cons (car vals) small-vals) small-exprs))))])
- (let-values ([(evaluated unevaluated) (split-lists sub-exprs arg-vals)])
- (let* ([rectified-evaluated (map rectify-value evaluated)])
- (if (null? unevaluated)
- rectified-evaluated
- (append rectified-evaluated
- (cons so-far
- (map rectify-source-current-marks (cdr unevaluated)))))))))
- ((called)
- (if (eq? so-far nothing-so-far)
- `(...) ; in unannotated code
- `(... ,so-far ...)))
- (else
- (e:static-error "bad label in application mark: ~s" expr))))]
-
- ; define-struct
-
- [(z:struct-form? expr)
- (if (comes-from-define-struct? expr)
- so-far
- (let ([super-expr (z:struct-form-super expr)]
- [raw-type (utils:read->raw (z:struct-form-type expr))]
- [raw-fields (map utils:read->raw (z:struct-form-fields expr))])
- (if super-expr
- `(struct (,raw-type ,so-far)
- ,raw-fields)
- `(struct ,raw-type ,raw-fields))))]
-
- ; if
-
- [(z:if-form? expr)
- (let ([test-exp (if (eq? so-far nothing-so-far)
- (rectify-value (mark-binding-value (lookup-binding mark-list if-temp)))
- so-far)])
- (cond [(comes-from-cond? expr)
- (let* ([clause (list test-exp (rectify-source-current-marks (z:if-form-then expr)))]
- [cond-source (z:zodiac-start expr)]
- [rest-clauses (rectify-cond-clauses cond-source (z:if-form-else expr) mark-list null)])
- `(cond ,clause ,@rest-clauses))]
- [(comes-from-and? expr)
- `(and ,test-exp ,@(rectify-and-clauses (z:zodiac-start expr)
- (z:if-form-then expr)
- mark-list
- null))]
- [(comes-from-or? expr)
- `(or ,test-exp ,@(rectify-or-clauses (z:zodiac-start expr)
- (z:if-form-else expr)
- mark-list
- null))]
- [else
- `(if ,test-exp
- ,(rectify-source-current-marks (z:if-form-then expr))
- ,(rectify-source-current-marks (z:if-form-else expr)))]))]
-
- ; quote : there is no mark or break on a quote.
-
- ; begin, begin0 : may not occur directly (or indirectly?) except in advanced
-
- ; let-values
-
- [(z:let-values-form? expr)
- (rectify-let #f
- (z:let-values-form-vars expr)
- (z:let-values-form-vals expr)
- (z:let-values-form-body expr))]
-
- [(z:letrec-values-form? expr)
- (rectify-let #t
- (z:letrec-values-form-vars expr)
- (z:letrec-values-form-vals expr)
- (z:letrec-values-form-body expr))]
-
- ; define-values : define's don't get marks, so they can't occur here
-
- ; lambda : there is no mark or break on a quote
-
- [else
- (print-struct #t)
- (e:internal-error
- expr
- (format "stepper:reconstruct: unknown object to reconstruct, ~a~n" expr))])))
-
-
- (define redex #f)
-
- (define (current-def-rectifier so-far mark-list first)
- (if (null? mark-list)
- (rectify-top-level expr so-far)
- (let ([reconstructed (rectify-inner mark-list so-far)])
- (current-def-rectifier
- (if first
- (begin
- (set! redex reconstructed)
- highlight-placeholder)
- reconstructed)
- (cdr mark-list)
- #f))))
-
- (define (let-style-abstraction letrec? binding-sets body)
- (let* ([redex (rectify-inner mark-list #f)]
- [binding-list (apply append binding-sets)]
- [new-names (map insert-lifted-name binding-list)]
- [dummy-var-list (if letrec?
- binding-list
- (build-list (length binding-list) get-arg-binding))]
- [rhs-vals (map (lambda (arg-temp)
- (mark-binding-value (lookup-binding mark-list arg-temp)))
- dummy-var-list)]
- [before-step (current-def-rectifier highlight-placeholder (cdr mark-list) #f)]
- [reduct (rectify-source-expr body mark-list null)]
- [after-step (current-def-rectifier highlight-placeholder (cdr mark-list) #f)]
- [new-defines (map (lambda (name val) `(define ,name ,val)) new-names rhs-vals)])
- (list new-defines before-step redex after-step reduct)))
-
-
- (define (rectify-let-values-step)
- (let* ([source-expr (mark-source (car mark-list))])
- (apply let-style-abstraction
- (z:letrec-values-form? source-expr)
- (map (lambda (accessor) (accessor source-expr))
- (cond [(z:let-values-form? source-expr)
- (list z:let-values-form-vars
- z:let-values-form-body)]
- [(z:letrec-values-form? source-expr)
- (list z:letrec-values-form-vars
- z:letrec-values-form-body)])))))
-
-
- ; (define (confusable-value? val)
- ; (not (or (number? val)
- ; (boolean? val)
- ; (string? val)
- ; (symbol? val))))
-
- (define answer
- (case break-kind
- ((result-break)
- (let* ([innermost (if (null? returned-value-list)
- (rectify-source-expr (mark-source (car mark-list)) mark-list null)
- (rectify-value (car returned-value-list)))]
- [current-def (current-def-rectifier highlight-placeholder (cdr mark-list) #f)])
- (list current-def innermost)))
- ((normal-break)
- (let ([current-def (current-def-rectifier nothing-so-far mark-list #t)])
- (list current-def redex)))
- ((double-break)
- (rectify-let-values-step))
- (else
- (e:internal-error 'reconstruct-current-def "unknown break kind: " break-kind))))
-
- )
-
- answer)))
diff --git a/collects/stepper/sharedr.ss b/collects/stepper/sharedr.ss
deleted file mode 100644
index a18cce0d..00000000
--- a/collects/stepper/sharedr.ss
+++ /dev/null
@@ -1,145 +0,0 @@
-(unit/sig stepper:shared^
- (import [z : zodiac:system^]
- [e : zodiac:interface^]
- stepper:client-procs^)
-
- ; A step-result is either:
- ; (make-before-after-result finished-exprs exp redex reduct)
- ; or (make-before-error-result finished-exprs exp redex err-msg)
- ; or (make-error-result finished-exprs err-msg)
- ; or (make-finished-result finished-exprs)
- (define-struct before-after-result (finished-exprs exp redex post-exp reduct))
- (define-struct before-error-result (finished-exprs exp redex err-msg))
- (define-struct error-result (finished-exprs err-msg))
- (define-struct finished-result (finished-exprs))
-
- (define (read-exprs text)
- (let ([reader (z:read (open-input-string text)
- (z:make-location 1 1 0 "stepper-string"))])
- (let read-loop ([new-expr (reader)])
- (if (z:eof? new-expr)
- ()
- (cons new-expr (read-loop (reader)))))))
-
- ; the closure record is placed in the closure table
-
- (define-struct closure-record (name mark constructor?))
-
- ; bogus-binding is used so that we can create legal zodiac bindings for temporary variables
-
- (define (create-bogus-binding name)
- (let* ([gensymed-name (gensym name)]
- [binding (z:make-lexical-binding #f #f #f (z:make-empty-back-box)
- gensymed-name name)])
- (set-new-binding-name! binding gensymed-name)
- binding))
-
- ; make-binding-source creates a pool of bindings, indexed by arbitrary keys. These bindings
- ; not eq? to any other bindings, but a client can always get the same binding by
- ; invoking the resulting procedure with the same key (numbers work well). make-binding-source
- ; also takes a string which will be part of the printed representation of the binding's
- ; name; this makes debugging easier.
- ; make-gensym-source : (string -> (key -> binding))
-
- (define (make-binding-source id-string)
- (let ([assoc-table (make-hash-table-weak)])
- (lambda (key)
- (let ([maybe-fetch (hash-table-get assoc-table key (lambda () #f))])
- (or maybe-fetch
- (begin
- (let* ([new-binding (create-bogus-binding
- (string-append id-string (format "~a" key) "-"))])
- (hash-table-put! assoc-table key new-binding)
- new-binding)))))))
-
- ; get-binding-name extracts the S-expression name for a binding. Zodiac
- ; creates a unique, gensym'd symbol for each binding, but the name is
- ; unreadable. Here, we create a new gensym, but the name of the generated
- ; symbol prints in the same way as the original symbol.
-
- (define (get-binding-name binding)
- (let ([name (lookup-new-binding-name binding)])
- (or name
- (let* ([orig-name (z:binding-orig-name binding)]
- [name (string->uninterned-symbol (symbol->string orig-name))])
- (set-new-binding-name! binding name)
- name))))
-
- (define-values (lookup-new-binding-name set-new-binding-name!)
- (let-values ([(getter setter) (z:register-client 'new-name (lambda () #f))])
- (values
- (lambda (parsed) (getter (z:parsed-back parsed)))
- (lambda (parsed n) (setter (z:parsed-back parsed) n)))))
-
- ; get-arg-binding maintains a list of bindings associated with the non-negative
- ; integers. These symbols are used in the elaboration of applications; the nth
- ; in the application is evaluated and stored in a variable whose name is the nth
- ; gensym supplied by get-arg-symbol.
-
- (define get-arg-binding
- (make-binding-source "arg"))
-
- ; test cases: (returns #t on success)
- #| (let ([arg3 (get-arg-symbol 3)]
- [arg2 (get-arg-symbol 2)]
- [arg1 (get-arg-symbol 1)]
- [arg2p (get-arg-symbol 2)])
- (and (not (eq? arg3 arg2))
- (not (eq? arg3 arg1))
- (not (eq? arg3 arg2p))
- (not (eq? arg2 arg1))
- (eq? arg2 arg2p)
- (not (eq? arg1 arg2p))))
- |#
-
- ; gensyms needed by many modules:
-
- ; no-sexp is used to indicate no sexpression for display.
- ; e.g., on an error message, there's no sexp.
- (define no-sexp (gensym "no-sexp-"))
-
- ; *unevaluated* is the value assigned to temps before they are evaluated.
- (define *unevaluated* (gensym "unevaluated-"))
-
- ; if-temp : uninterned-symbol
- (define if-temp (create-bogus-binding "if-temp-"))
-
- ; struct-flag : uninterned symbol
- (define struct-flag (gensym "struct-flag-"))
-
- ; highlight-placeholder : uninterned symbol
- (define highlight-placeholder (gensym "highlight-placeholder"))
-
- ; list-partition takes a list and a number, and returns two lists; the first one contains the
- ; first n elements of the list, and the second contains the remainder. If n is greater than
- ; the length of the list, the exn:application:mismatch exception is raised.
-
- (define (list-partition lst n)
- (if (= n 0)
- (values null lst)
- (if (null? lst)
- (list-ref lst 0) ; cheap way to generate exception
- (let-values ([(first rest) (list-partition (cdr lst) (- n 1))])
- (values (cons (car lst) first) rest)))))
-
- ; to perform source correlation, we use the 'register-client' ability of zodiac to
- ; add fields to parsed structures at runtime.
-
- (define expr-read read-getter)
- (define set-expr-read! read-setter)
-
- (define (list-take n a-list)
- (if (= n 0)
- null
- (cons (car a-list) (list-take (- n 1) (cdr a-list)))))
-
- (define (flatten-take n a-list)
- (apply append (list-take n a-list)))
-
- (define-values (closure-table-put! closure-table-lookup)
- (let ([closure-table (make-hash-table-weak)])
- (values
- (lambda (key value)
- (hash-table-put! closure-table key value))
- (lambda args ; key or key & failure-thunk
- (apply hash-table-get closure-table args))))))
\ No newline at end of file
diff --git a/collects/stepper/sig.ss b/collects/stepper/sig.ss
deleted file mode 100644
index cde14866..00000000
--- a/collects/stepper/sig.ss
+++ /dev/null
@@ -1,103 +0,0 @@
-(define-signature stepper:cogen-utils^
- (check-for-keyword
- check-for-syntax-or-macro-keyword
-
- the-undefined-value
- (struct undefined (id))
- signal-undefined
- undefined-error-format
-
- (struct not-boolean (val))
- signal-not-boolean
- not-boolean-error-format
-
- is-unit-bound?
- read->raw
- arglist->ilist
-
- improper-map
- improper-foreach))
-
-(define-signature plt:aries-no-break^
- (annotate
- extract-zodiac-location
- w-c-m-key
- make-zodiac-mark
- signal-not-boolean
- signal-undefined))
-
-(define-signature plt:aries^
- ((open plt:aries-no-break^)
- break))
-
-(define-signature stepper:marks^
- (cheap-mark?
- make-cheap-mark
- cheap-mark-source
- make-full-mark
- mark-source
- mark-bindings
- mark-label
- mark-binding-value
- mark-binding-binding
- expose-mark
- display-mark
- lookup-binding))
-
-(define-signature stepper:client-procs^
- (read-getter
- read-setter
- never-undefined-getter
- never-undefined-setter))
-
-(define-signature stepper:model-input^
- (text-stream settings image? receive-result))
-
-(define-signature stepper:model^
- (check-pre-defined-var
- check-global-defined
- global-lookup
- constructor-style-printing?
- abbreviate-cons-as-list?
- user-cons?
- user-vector?
- image?
- print-convert))
-
-(define-signature stepper:shared^
- ((struct before-after-result (finished-exprs exp redex post-exp reduct))
- (struct before-error-result (finished-exprs exp redex err-msg))
- (struct error-result (finished-exprs err-msg))
- (struct finished-result (finished-exprs))
- get-binding-name
- ;lookup-new-binding-name
- ;set-new-binding-name!
- list-take
- list-partition
- (struct closure-record (name mark constructor?))
- ;create-bogus-binding
- *unevaluated*
- no-sexp
- if-temp
- struct-flag
- highlight-placeholder
- get-arg-binding
- expr-read
- set-expr-read!
- flatten-take
- closure-table-put!
- closure-table-lookup))
-
-(define-signature stepper:annotate^
- (initial-env-package
- annotate
- debug-key))
-
-(define-signature stepper:reconstruct^
- (reconstruct-completed
- reconstruct-current
- final-mark-list?
- skip-result-step?
- skip-redex-step?))
-
-
\ No newline at end of file
diff --git a/collects/stepper/startup.ss b/collects/stepper/startup.ss
deleted file mode 100644
index 3ebadbad..00000000
--- a/collects/stepper/startup.ss
+++ /dev/null
@@ -1,52 +0,0 @@
-(unit/sig (invoke-stepper)
- (import mzlib:core^
- [mred : mred^]
- [fw : framework^]
- [drscheme : drscheme:export^]
- (stepper-go))
-
- (define (invoke-stepper frame)
- (let ([existing-stepper (send frame stepper-frame)])
- (if existing-stepper
- (send existing-stepper show #t)
- (fw:gui-utils:show-busy-cursor
- (lambda ()
- (stepper-go frame))))))
-
- (define stepper-bitmap
- (drscheme:unit:make-bitmap
- "Step"
- (build-path (collection-path "icons") "foot.bmp")))
-
- (drscheme:get/extend:extend-unit-frame
- (lambda (super%)
- (class super% args
- (inherit button-panel)
- (sequence (apply super-init args))
- (rename [super-disable-evaluation disable-evaluation]
- [super-enable-evaluation enable-evaluation])
- (override
- [enable-evaluation
- (lambda ()
- (send stepper-button enable #t)
- (super-enable-evaluation))]
- [disable-evaluation
- (lambda ()
- (send stepper-button enable #f)
- (super-disable-evaluation))])
- (public
- [stepper-frame
- (let ([frame #f])
- (case-lambda
- (() frame)
- ((new-val) (set! frame new-val))))]
-
- [stepper-button (make-object mred:button%
- (stepper-bitmap this)
- button-panel
- (lambda (button evt)
- (invoke-stepper this)))])
- (sequence
- (send button-panel change-children
- (lambda (l)
- (cons stepper-button (function:remq stepper-button l)))))))))
diff --git a/collects/stepper/tests/main.ss b/collects/stepper/tests/main.ss
deleted file mode 100644
index de7924d8..00000000
--- a/collects/stepper/tests/main.ss
+++ /dev/null
@@ -1,22 +0,0 @@
-
-(define (send-string str)
- (for-each fw:test:keystroke (string->list str)))
-
-(define top-window
- (let loop ([window (get-top-level-focus-window)])
- (if (is-a? window frame%)
- window
- (begin
- (printf "Got this value: ~s~n" window)
- (printf "waiting...~n")
- (sleep 3)
- (loop (get-top-level-focus-window))))))
-
-(printf "got a frame.~n")
-
-(send (ivar top-window definitions-canvas) focus)
-
-(send-string "(+ 1 2)")
-
-(fw:test:button-push (ivar top-window stepper-button))
-
diff --git a/collects/stepper/utils.ss b/collects/stepper/utils.ss
deleted file mode 100644
index 3b6e094f..00000000
--- a/collects/stepper/utils.ss
+++ /dev/null
@@ -1,115 +0,0 @@
-(unit/sig stepper:cogen-utils^
- (import [z : zodiac:system^]
- [e : zodiac:interface^])
-
-
- ; check whether the supplied id is a keyword. if the id is a syntax or
- ; macro keyword, issue an error. If disallow-procedures? is true, then
- ; we issue an error for _any_ use of a keyword. These procedures are used
- ; to prevent the program from redefining keywords.
-
- (define check-for-keyword/both
- (lambda (disallow-procedures?)
- (lambda (id)
- (let ([real-id
- (cond
- [(z:binding? id) (z:binding-orig-name id)]
- [(z:top-level-varref? id) (z:varref-var id)]
- [(z:bound-varref? id)
- (z:binding-orig-name (z:bound-varref-binding id))]
- [(z:symbol? id)
- (z:read-object id)]
- [else
- (e:internal-error id "Given in check-for-keyword")])])
- (when (and (keyword-name? real-id)
- (or disallow-procedures?
- (let ([gdv (global-defined-value real-id)])
- (or (syntax? gdv)
- (macro? gdv)))))
- (e:static-error "keyword" 'term:keyword-out-of-context
- id "invalid use of keyword ~s" real-id))))))
-
- (define check-for-keyword (check-for-keyword/both #t))
- (define check-for-syntax-or-macro-keyword (check-for-keyword/both #f))
-
- (define the-undefined-value (letrec ((x x)) x))
-
- (define-struct (undefined struct:exn) (id))
- (define signal-undefined (make-parameter #t))
- (define undefined-error-format
- "Variable ~s referenced before definition or initialization")
-
- (define-struct (not-boolean struct:exn) (val))
- (define signal-not-boolean (make-parameter #f))
- (define not-boolean-error-format "Condition value is neither true nor false: ~e")
-
- ; there is a problem with Zodiac. The problem is that Zodiac has not been
- ; distinguishing between top-level variables and those bound by unit clauses.
- ; this is an important distinction to make, because the variables bound by
- ; unit clauses may take on the `undefined' value, whereas those bound as
- ; top-level variables will never require this check. (If used before defined,
- ; these values are simply considered unbound. To this end, Matthew has modified
- ; Zodiac to add a bit of information which aries can use to distinguish these
- ; fields. Currently, this information is stored in the `unit?' field of a
- ; `top-level-varref/bind/unit' structure. There are cleaner solutions, but
- ; this one fits well into the current state of the world. This may change at
- ; some point in the future. For the moment, here is the function which
- ; distinguishes between these two types of binding:
-
- (define (is-unit-bound? varref)
- (and (z:top-level-varref/bind/unit? varref)
- (z:top-level-varref/bind/unit-unit? varref)))
-
- ; Objects that are passed to eval get quoted by M3. These objects
- ; do not belong in the `read' structure framework. Hence, if they
- ; are passed to z:sexp->raw, they will error. Thus, we first check
- ; before sending things there.
-
- ; jbc additional comments, including elucidation from shriram:
- ; there are three `levels' of parsed stuff:
- ; raw: simple, unannotated scheme values
- ; sexp: simple scheme values with attached zodiac information
- ; parsed: fully parsed into zodiac structures
-
- (define read->raw
- (lambda (read)
- (if (z:zodiac? read)
- (z:sexp->raw read)
- read)))
-
- ; divined notes about the structure of an arglist. Evidently, an arglist can
- ; take one of three forms:
- ; list-arglist : this arglist represents a simple list of arguments
- ; ilist-arglist : this arglist represents a list of arguments which uses
- ; `dot-notation' to separate the last element of the list
- ; sym-arglist : this arglist represents the `single argument with no
- ; parens' style of argument list.
-
- (define arglist->ilist
- (lambda (arglist)
- (cond
- ((z:list-arglist? arglist)
- (z:arglist-vars arglist))
- ((z:ilist-arglist? arglist)
- (let loop ((vars (z:arglist-vars arglist)))
- (if (null? (cddr vars))
- (cons (car vars) (cadr vars))
- (cons (car vars) (loop (cdr vars))))))
- ((z:sym-arglist? arglist)
- (car (z:arglist-vars arglist)))
- (else
- (e:internal-error arglist
- "Given to arglist->ilist")))))
-
- (define make-improper
- (lambda (combine)
- (rec improper ;; `rec' is for the name in error messages
- (lambda (f list)
- (let improper-loop ([list list])
- (cond
- ((null? list) list)
- ((pair? list) (combine (f (car list))
- (improper-loop (cdr list))))
- (else (f list))))))))
- (define improper-map (make-improper cons))
- (define improper-foreach (make-improper (lambda (x y) y))))
\ No newline at end of file
diff --git a/collects/stepper/view-controller.ss b/collects/stepper/view-controller.ss
deleted file mode 100644
index 698c0040..00000000
--- a/collects/stepper/view-controller.ss
+++ /dev/null
@@ -1,394 +0,0 @@
-(unit/sig (stepper-go)
- (import [c : mzlib:core^]
- [e : zodiac:interface^]
- [z : zodiac:system^]
- [cp : stepper:client-procs^]
- mzlib:pretty-print^
- mred^
- [d : drscheme:export^]
- [p : mzlib:print-convert^]
- [f : framework^]
- stepper:shared^
- [utils : stepper:cogen-utils^]
- [marks : stepper:marks^])
-
- ;;;;;; copied from /plt/collects/drscheme/snip.ss :
-
- (define separator-snipclass
- (make-object
- (class-asi snip-class%
- (override
- [read (lambda (s)
- (let ([size-box (box 0)])
- (send s get size-box)
- (make-object separator-snip%)))]))))
-
- (send* separator-snipclass
- (set-version 1)
- (set-classname "drscheme:separator-snip%"))
-
- (send (get-the-snip-class-list) add separator-snipclass)
-
- ;; the two numbers 1 and 2 which appear here are to line up this snip
- ;; with the embedded snips around it in the drscheme rep.
- ;; I have no idea where the extra pixels are going.
- (define separator-snip%
- (class snip% ()
- (inherit get-style set-snipclass set-flags get-flags get-admin)
- (private [width 500]
- [height 1]
- [white-around 2])
- (override
- [write (lambda (s)
- (send s put (char->integer #\r)))]
- [copy (lambda ()
- (let ([s (make-object separator-snip%)])
- (send s set-style (get-style))
- s))]
- [get-extent
- (lambda (dc x y w-box h-box descent-box space-box lspace-box rspace-box)
- (for-each (lambda (box) (unless (not box) (set-box! box 0)))
- (list descent-box space-box lspace-box rspace-box))
- (let* ([admin (get-admin)]
- [reporting-media (send admin get-editor)]
- [reporting-admin (send reporting-media get-admin)]
- [widthb (box 0)]
- [space 2])
- (send reporting-admin get-view #f #f widthb #f)
- (set! width (- (unbox widthb)
- space
- 2)))
- (set! height 1)
- (unless (not w-box)
- (set-box! w-box width))
- (unless (not h-box)
- (set-box! h-box (+ (* 2 white-around) height))))]
- [draw
- (let* ([body-pen (send the-pen-list find-or-create-pen
- "BLUE" 0 'solid)]
- [body-brush (send the-brush-list find-or-create-brush
- "BLUE" 'solid)])
- (lambda (dc x y left top right bottom dx dy draw-caret)
- (let ([orig-pen (send dc get-pen)]
- [orig-brush (send dc get-brush)])
- (send dc set-pen body-pen)
- (send dc set-brush body-brush)
-
- (send dc draw-rectangle (+ x 1)
- (+ white-around y) width height)
-
- (send dc set-pen orig-pen)
- (send dc set-brush orig-brush))))])
- (sequence
- (super-init)
- (set-flags (cons 'hard-newline (get-flags)))
- (set-snipclass separator-snipclass))))
-
- ;;;; end of copied region
-
- (define stepper-frame%
- (class (d:frame:basics-mixin (f:frame:standard-menus-mixin f:frame:basic%)) (drscheme-frame)
- (rename [super-on-close on-close])
- (override
- [on-close
- (lambda ()
- (send drscheme-frame stepper-frame #f)
- (super-on-close))])
- (sequence (super-init "The Foot"))))
-
- (define stepper-canvas%
- (class editor-canvas% (parent (editor #f) (style null) (scrolls-per-page 100))
- (rename (super-on-size on-size))
- (inherit get-editor)
- (override
- [on-size
- (lambda (width height)
- (super-on-size width height)
- (let ([editor (get-editor)])
- (when editor
- (send editor reset-pretty-print-width this))))])
- (sequence (super-init parent editor style scrolls-per-page))))
-
- (define (image? val)
- (is-a? val snip%))
-
- (define (confusable-value? val)
- (or (number? val)
- (boolean? val)
- (string? val)
- (symbol? val)))
-
- ; insert-highlighted-value : sexp sexp -> sexp
- ; replaces highlight-placeholder in the first sexp with the second sexp
-
- (define (insert-highlighted-value exp inserted)
- (let ([recur (lambda (exp) (insert-highlighted-value exp inserted))])
- (cond [(list? exp)
- (map recur exp)]
- [(vector? exp)
- (list->vector (map recur (vector->list exp)))]
- [(eq? exp highlight-placeholder)
- inserted]
- [else exp])))
-
- (define stepper-text%
- (class f:text:basic% (finished-exprs exp redex post-exp reduct error-msg (line-spacing 1.0) (tabstops null))
- (inherit find-snip insert change-style highlight-range last-position lock erase auto-wrap
- begin-edit-sequence end-edit-sequence get-start-position get-style-list set-style-list)
- (public (pretty-printed-width -1)
- (char-width 0)
- (clear-highlight-thunks null)
- [reset-style
- (lambda ()
- (change-style (send (get-style-list) find-named-style "Standard")))]
- (reset-pretty-print-width
- (lambda (canvas)
- (begin-edit-sequence)
- (let* ([style (send (get-style-list) find-named-style "Standard")]
- [_ (set! char-width (send style get-text-width (send canvas get-dc)))]
- [canvas-width (let-values ([(client-width client-height)
- (send canvas get-client-size)])
- (- client-width 18))] ; 12 border pixels + 6 for wrap char
- [min-columns 30]
- [new-columns (max min-columns
- (floor (/ canvas-width char-width)))])
- (pretty-print-columns new-columns)
- (reformat-sexp)
- (end-edit-sequence))))
- (reformat-sexp
- (lambda ()
- (when (not (= pretty-printed-width (pretty-print-columns)))
- (set! pretty-printed-width (pretty-print-columns))
- (format-whole-step))))
- [format-sexp
- (lambda (sexp redex highlight-color)
- (let ([real-print-hook (pretty-print-print-hook)]
- [redex-begin #f]
- [redex-end #f]
- [placeholder-present? #f])
- (parameterize ([pretty-print-size-hook
- (lambda (value display? port)
- (if (eq? value highlight-placeholder)
- (begin
- (set! placeholder-present? #t)
- (string-length (format "~s" redex)))
- (if (image? value)
- 1 ; if there was a good way to calculate a image widths ...
- #f)))]
- [pretty-print-print-hook
- (lambda (value display? port)
- (if (eq? value highlight-placeholder)
- (insert (format "~s" redex))
- ; next occurs if value is an image:
- (insert (send value copy))))]
- [pretty-print-display-string-handler
- (lambda (string port)
- (insert string))]
- [pretty-print-print-line
- (lambda (number port old-length dest-columns)
- (when (not (eq? number 0))
- (insert #\newline))
- 0)]
- [pretty-print-pre-print-hook
- (lambda (value p)
- (when (or (and (not placeholder-present?)
- (eq? value redex))
- (eq? value highlight-placeholder))
- (set! redex-begin (get-start-position))))]
- [pretty-print-post-print-hook
- (lambda (value p)
- (when (or (and (not placeholder-present?)
- (eq? value redex))
- (eq? value highlight-placeholder))
- (set! redex-end (get-start-position))))])
- (pretty-print sexp)
- (if redex-begin
- (set! clear-highlight-thunks
- (cons (highlight-range redex-begin redex-end highlight-color #f #f)
- clear-highlight-thunks))))))]
-
- [un-hacked-format-sexp
- (lambda (exp region color)
- (if (confusable-value? region)
- (format-sexp exp region color)
- (format-sexp (insert-highlighted-value exp region) region color)))]
-
- [format-whole-step
- (lambda ()
- (lock #f)
- (begin-edit-sequence)
- (for-each (lambda (fun) (fun)) clear-highlight-thunks)
- (set! clear-highlight-thunks null)
- (erase)
- (for-each
- (lambda (expr)
- (un-hacked-format-sexp expr no-sexp #f)
- (insert #\newline))
- finished-exprs)
- (insert (make-object separator-snip%))
- (when (not (eq? redex no-sexp))
- (insert #\newline)
- (reset-style)
- (un-hacked-format-sexp exp redex redex-highlight-color)
- (insert #\newline)
- (insert (make-object separator-snip%))
- (insert #\newline))
- (cond [(not (eq? reduct no-sexp))
- (reset-style)
- (un-hacked-format-sexp post-exp reduct result-highlight-color)]
- [error-msg
- (let ([before-error-msg (last-position)])
- (reset-style)
- (auto-wrap #t)
- (insert error-msg)
- (change-style error-delta before-error-msg (last-position)))])
- (end-edit-sequence)
- (lock #t))])
- (sequence (super-init line-spacing tabstops)
- (set-style-list (f:scheme:get-style-list)))))
-
- (define error-delta (make-object style-delta% 'change-style 'italic))
- (send error-delta set-delta-foreground "RED")
-
- (define test-dc (make-object bitmap-dc% (make-object bitmap% 1 1)))
- (define result-highlight-color (make-object color% 255 255 255))
- (define redex-highlight-color (make-object color% 255 255 255))
- (send test-dc try-color (make-object color% 212 159 245) result-highlight-color)
- (send test-dc try-color (make-object color% 193 251 181) redex-highlight-color)
-
- (define (stepper-wrapper drscheme-frame settings)
-
- (local ((define view-history null)
- (define view-currently-updating #f)
- (define final-view #f)
- (define view 0)
-
- ; build gui object:
-
- (define (home)
- (update-view 0))
-
- (define (next)
- (send next-button enable #f)
- (send previous-button enable #f)
- (send home-button enable #f)
- (if (= view (- (length view-history) 1))
- (update-view/next-step (+ view 1))
- (update-view (+ view 1))))
-
- (define (previous)
- (update-view (- view 1)))
-
- (define s-frame (make-object stepper-frame% drscheme-frame))
-
- (define button-panel (make-object horizontal-panel% (send s-frame get-area-container)))
- (define home-button (make-object button% "Home" button-panel
- (lambda (_1 _2) (home))))
- (define previous-button (make-object button% "<< Previous" button-panel
- (lambda (_1 _2) (previous))))
- (define next-button (make-object button% "Next >>" button-panel (lambda
- (_1 _2) (next))))
-
- (define canvas (make-object stepper-canvas% (send s-frame get-area-container)))
-
- (define (update-view/next-step new-view)
- (set! view-currently-updating new-view)
- (step))
-
- (define (update-view new-view)
- (set! view new-view)
- (let ([e (list-ref view-history view)])
- (send e reset-pretty-print-width canvas)
- (send canvas lazy-refresh #t)
- (send canvas set-editor e)
- (send e set-position (send e last-position))
- (send canvas lazy-refresh #f))
- (send previous-button enable (not (zero? view)))
- (send home-button enable (not (zero? view)))
- (send next-button enable (not (eq? final-view view))))
-
- (define (receive-result result)
- (let ([step-text
- (cond [(before-after-result? result)
- (make-object stepper-text%
- (before-after-result-finished-exprs result)
- (before-after-result-exp result)
- (before-after-result-redex result)
- (before-after-result-post-exp result)
- (before-after-result-reduct result)
- #f)]
- [(before-error-result? result)
- (set! final-view view-currently-updating)
- (make-object stepper-text%
- (before-error-result-finished-exprs result)
- (before-error-result-exp result)
- (before-error-result-redex result)
- no-sexp
- no-sexp
- (before-error-result-err-msg result))]
- [(error-result? result)
- (set! final-view view-currently-updating)
- (make-object stepper-text%
- (error-result-finished-exprs result)
- no-sexp
- no-sexp
- no-sexp
- no-sexp
- (error-result-err-msg result))]
- [(finished-result? result)
- (set! final-view view-currently-updating)
- (make-object stepper-text%
- (finished-result-finished-exprs result)
- no-sexp
- no-sexp
- no-sexp
- no-sexp
- #f)])])
- (set! view-history (append view-history (list step-text)))
- (update-view view-currently-updating)))
-
- (define text-stream
- (f:gui-utils:read-snips/chars-from-text (ivar drscheme-frame definitions-text)))
-
- (define step
- (invoke-unit/sig (require-library-unit/sig "instance.ss" "stepper")
- stepper:model-input^
- (c : mzlib:core^)
- (e : zodiac:interface^)
- (p : mzlib:print-convert^)
- (d : drscheme:export^)
- (z : zodiac:system^)
- (cp : stepper:client-procs^)
- stepper:shared^
- mred^
- (utils : stepper:cogen-utils^)
- (marks : stepper:marks^))))
-
- (send drscheme-frame stepper-frame s-frame)
- (set! view-currently-updating 0)
- (send button-panel stretchable-width #f)
- (send button-panel stretchable-height #f)
- (send canvas stretchable-height #t)
- (send canvas min-width 400)
- (send canvas min-height 100)
- (send previous-button enable #f)
- (send home-button enable #f)
- (send next-button enable #f)
- (send (send s-frame edit-menu:get-undo-item) enable #f)
- (send (send s-frame edit-menu:get-redo-item) enable #f)
- (step)
- (send s-frame show #t)))
-
- (define beginner-level-name "Beginning Student")
-
- (define (stepper-go frame)
- (let ([settings (f:preferences:get d:language:settings-preferences-symbol)])
- (if #f ; (not (string=? (d:basis:setting-name settings) beginner-level-name))
- (message-box "Stepper"
- (format (string-append "Language level is set to \"~a\".~n"
- "The Foot only works for the \"~a\" language level.~n")
- (d:basis:setting-name settings)
- beginner-level-name)
- #f
- '(ok))
- (stepper-wrapper frame settings)))))
diff --git a/collects/tests/addrhack.c b/collects/tests/addrhack.c
deleted file mode 100644
index fc942d00..00000000
--- a/collects/tests/addrhack.c
+++ /dev/null
@@ -1,53 +0,0 @@
-/*
-Matthew writes:
-
-This file, when loaded, defines:
-
- object->address : value -> exact integer in [0,2^32-1]
- address->object : exact integer in [0,2^32-1] -> value
-
-Obviously, address->object is not safe.
-
-To Compile:
-
- mzc --cc addrhack.c
- mzc --ld addrhack.so addrhack.o
-
-*/
-#include "escheme.h"
-
-Scheme_Object *object_to_address(int c, Scheme_Object **a)
-{
- return scheme_make_integer_value_from_unsigned((unsigned long)a[0]);
-}
-
-Scheme_Object *address_to_object(int c, Scheme_Object **a)
-{
- unsigned long v;
-
- if (!scheme_get_unsigned_int_val(a[0], &v))
- scheme_signal_error("bad address");
-
- return (Scheme_Object *)v;
-}
-
-Scheme_Object *scheme_reload(Scheme_Env *env)
-{
- scheme_add_global("object->address",
- scheme_make_prim_w_arity(object_to_address,
- "object->address",
- 1, 1),
- env);
- scheme_add_global("address->object",
- scheme_make_prim_w_arity(address_to_object,
- "address->object",
- 1, 1),
- env);
-
- return scheme_void;
-}
-
-Scheme_Object *scheme_initialize(Scheme_Env *env)
-{
- return scheme_reload(env);
-}
diff --git a/collects/tests/drscheme/README b/collects/tests/drscheme/README
deleted file mode 100644
index 723b0aa0..00000000
--- a/collects/tests/drscheme/README
+++ /dev/null
@@ -1,85 +0,0 @@
-`(#|
-
-This directory contains code for testing DrScheme. To run the tests,
-load run-test.ss. It will return a function that accepts the names of
-tests. Those names must be listed here. If no arguments are passed to
-the function, all tests will be run.
-
-
-|# mem.ss #|
-
- runs some memory tests
-
-|# sample-solutions.ss #|
-
- This tests the sample solutions in HtDP
-
-|# io.ss #|
-
- This tests the drscheme's io implementation.
-
-|# repl-test.ss #|
-
- This tests various interactions between parameters in the
- implementation of drscheme.
-
-|# language-test.ss #|
-
- This tests that all of the individual settings in the language dialog
- take effect in the repl.
-
-
-|# graphics.ss #|
-
- This tests the various graphic elements that can appear
- in programs.
-
-|# launcher.ss #|
-
- This tests the launcher feature of drscheme.
-
-----------------------------------
--------- MANUAL TESTS ----------
-----------------------------------
-
- sixlib.ss
-
-----------------------------------
----------- OLD TESTS -----------
-----------------------------------
-
- menu-test.ss
-
-PR-based tests:
-
- pr-144.ss
- pr-17.ss
- pr-246.ss
- pr-39.ss
- pr-46.ss
- pr-48.ss
- pr-51.ss
- pr-58.ss
- pr-80.ss
- pr-99.ss
-
-Ideally, each test should be run with a fresh invocation
-of DrScheme. Since that's time-consuming, you can
-run all tests by executing "drscheme-test.ss".
-
-A small amount of manual intervention is needed during
-the tests. By intervention, we mean pushing buttons
-in dialogs that popup during the tests.
-
-The progress and results of the tests are reported to
-standard output. You should examine this output to determine
-whether if the tests were successful.
-
-The code is maintained by Paul Steckler. The original code
-was by Robby Findler.
-
-There are some other files in this directory, which appear
-to be unused, such as tmp.ss, and line-art.ss. The directory
-syncheck/ appears to be unused.
-
-|#)
\ No newline at end of file
diff --git a/collects/tests/drscheme/check-syntax-test.ss b/collects/tests/drscheme/check-syntax-test.ss
deleted file mode 100644
index e3399a94..00000000
--- a/collects/tests/drscheme/check-syntax-test.ss
+++ /dev/null
@@ -1,52 +0,0 @@
-;;; check-syntax.ss
-
-;;; Author: Paul Steckler, modifying code by Robby Findler
-
-(load-relative "drscheme-test-util.ss")
-
-(let* ([drs-frame (wait-for-drscheme-frame)]
- [interactions-edit (ivar drs-frame interactions-edit)]
- [get-int-pos (lambda () (get-text-pos interactions-edit))]
- [check-check-syntax ; type in term, call check-syntax
- (lambda (str expected)
- (clear-definitions drs-frame)
- (type-in-definitions drs-frame str)
- (let ([answer-begin (get-int-pos)])
- (mred:test:button-push (ivar drs-frame check-syntax-button))
- (let ([answer-end (- (get-int-pos) 1)])
- (let ([actual (send interactions-edit get-text
- answer-begin answer-end)])
- (unless (string=? actual expected)
- (printf "Expected: ~a~n Actual: ~a~n~n"
- expected actual)))
- (let ([frame (mred:test:get-active-frame)])
- (unless (eq? frame drs-frame)
- (error 'check-syntax "Unexpected window ~a" frame))))))]
-
- ; question: should we test for errors at different syntax levels?
-
- [terms-and-msgs ; terms and expected error message, if any
-
- ; why are some of these messages init-capped, others not?
-
- '(("x" "")
- ("." "can't use `.' outside list")
- ("(" "missing close paren")
- ("begin" "Invalid use of keyword begin")
- ("(begin)" "Malformed begin")
- ("1" "")
- ("add1" "")
- ("(lambda (x) x)" ""))])
-
- (set-language-level! "R4RS+" drs-frame)
-
- (printf "Starting check-syntax tests~n")
-
- (for-each
- (lambda (p) (check-check-syntax (car p) (cadr p)))
- terms-and-msgs))
-
- (printf "Finished check-syntax tests~n")
-
-
-
\ No newline at end of file
diff --git a/collects/tests/drscheme/config-lang-test.ss b/collects/tests/drscheme/config-lang-test.ss
deleted file mode 100644
index d8ed9b73..00000000
--- a/collects/tests/drscheme/config-lang-test.ss
+++ /dev/null
@@ -1,76 +0,0 @@
-;;; config-lang-test.ss
-
-;;; tests the toggle options in the dialog started from the
-;;; Language | Configure Language... menu item
-
-;;; Author: Paul Steckler
-
-(load-relative "drscheme-test-util.ss")
-
-(letrec* ([_ (wait-for-drscheme-frame)]
- [drscheme-frame (mred:test:get-active-frame)]
- [eq-frame? (lambda () (eq? (mred:test:get-active-frame) drscheme-frame))]
- [interactions-edit (ivar drscheme-frame interactions-edit)]
- [interactions-canvas (ivar drscheme-frame interactions-canvas)]
- [definitions-edit (ivar drscheme-frame definitions-edit)]
- [definitions-canvas (ivar drscheme-frame definitions-canvas)]
- [execute-button (ivar drscheme-frame execute-button)]
- [get-int-pos (lambda () (get-start-of-last-line interactions-edit))]
- [wait-for-events
- (lambda (nevents)
- (let loop ()
- (unless (= nevents (mred:test:number-pending-actions))
- (sleep 1/2)
- (loop))))]
- [run-test
- (lambda (cb state code expected)
-
- ; click on menu item
-
- (mred:test:menu-select "Language" "Configure Language...")
- (mred:test:new-window (wx:find-window-by-name "Language" null))
-
- ; open sub-dialog
-
- (with-handlers ([(lambda (_) #t) (lambda (x) (printf "~a~n" (exn-message x)))])
- (mred:test:button-push "Show Details")
- (wait-for-events 1)
- (mred:test:reraise-error))
-
- (mred:test:set-check-box! cb state)
-
- ; close dialog
-
- (mred:test:button-push "OK")
-
- ; enter code in definitions window
-
- (wait-for-drscheme-frame)
- (mred:test:new-window definitions-canvas)
- (clear-definitions drscheme-frame)
- (mred:test:button-push execute-button)
-
- (let ([answer-begin (send interactions-edit last-position)])
-
- (type-in-definitions drscheme-frame code)
- (mred:test:keystroke #\return)
-
- ; compare actual answer to expected
-
- (push-button-and-wait execute-button)
-
- (let* ([answer-end (- (send interactions-edit last-position) 3)]
- [actual (send interactions-edit get-text
- answer-begin answer-end)])
- (unless (string=? actual expected)
- (printf "Expected: ~a~n Actual: ~a~n~n"
- expected actual)))))])
-
- ; now toggle items and test
-
- (mred:test:run-interval 500)
-
- (run-test "Case sensitive" #f
- "(eq? 'foo 'FOO)"
- "#t"))
-
diff --git a/collects/tests/drscheme/drscheme-test-util.ss b/collects/tests/drscheme/drscheme-test-util.ss
deleted file mode 100644
index b024cc74..00000000
--- a/collects/tests/drscheme/drscheme-test-util.ss
+++ /dev/null
@@ -1,337 +0,0 @@
-;;; util.ss
-
-;;; utility functions for DrScheme GUI testing
-
-;;; Authors: Robby Findler, Paul Steckler
-
-(unit/sig drscheme:test-util^
-
- (import mred^
- [fw : framework^]
- test-utils:gui^)
-
- ;; save-drscheme-window-as : string -> void
- ;; use the "save as" dialog in drscheme to save the definitions
- ;; window to a file.
- (define (save-drscheme-window-as filename)
- (use-get/put-dialog
- (lambda ()
- (fw:test:menu-select "File" "Save Definitions As..."))
- filename))
-
- ;; use-get/put-dialog : (-> void) string -> void
- ;; open-dialog is a thunk that should open the dialog
- ;; filename is a string naming a file that should be typed into the dialog
- (define (use-get/put-dialog open-dialog filename)
- (unless (procedure? open-dialog)
- (error 'use-open/close-dialog "expected procedure as first argument, got: ~e, other arg: ~e"
- open-dialog filename))
- (unless (string? filename)
- (error 'use-open/close-dialog "expected string as second argument, got: ~e, other arg: ~e"
- filename open-dialog))
- (let ([drs (wait-for-drscheme-frame)]
- [old-pref (fw:preferences:get 'framework:file-dialogs)])
- (with-handlers ([(lambda (x) #t)
- (lambda (x)
- (fw:preferences:set 'framework:file-dialogs old-pref)
- (raise x))])
- (fw:preferences:set 'framework:file-dialogs 'common)
- (open-dialog)
- (let ([dlg (wait-for-new-frame drs)])
- (send (find-labelled-window "Full pathname") focus)
- (fw:test:keystroke #\a (list (case (system-type)
- [(windows) 'control]
- [(macos) 'command]
- [(unix) 'meta])))
- (for-each fw:test:keystroke (string->list filename))
- (fw:test:button-push "OK")
- (wait-for-new-frame dlg))
- (fw:preferences:set 'framework-file-dialogs old-pref))))
-
- ;; -> eventspace
- ;; returns the eventspace used by the program in the current drscheme window
- (define (get-user-eventspace)
- (ivar (wait-for-drscheme-frame) user-eventspace))
-
- (define (test-util-error fmt . args)
- (raise (make-exn (apply fmt args) (current-continuation-marks))))
-
- (define poll-until
- (case-lambda
- [(pred) (poll-until pred 10)]
- [(pred secs)
- (let ([step 1/20])
- (let loop ([counter secs])
- (if (<= counter 0)
- (error 'poll-until "timeout after ~e secs, ~e never returned a true value" secs pred)
- (let ([result (pred)])
- (or result
- (begin
- (sleep step)
- (loop (- counter step))))))))]))
-
- (define (drscheme-frame? frame)
- (ivar-in-interface? 'execute-button (object-interface frame)))
-
- (define (wait-for-drscheme-frame)
- (let ([wait-for-drscheme-frame-pred
- (lambda ()
- (yield)
- (let ([active (get-top-level-focus-window)])
- (if (and active
- (drscheme-frame? active))
- active
- #f)))])
- (or (wait-for-drscheme-frame-pred)
- (begin
- (printf "Select DrScheme frame~n")
- (poll-until wait-for-drscheme-frame-pred)))))
-
- (define (wait-for-new-frame old-frame)
- (let ([wait-for-new-frame-pred
- (lambda ()
- (let ([active (get-top-level-focus-window)])
- (if (and active
- (not (eq? active old-frame)))
- active
- #f)))])
- (poll-until wait-for-new-frame-pred)))
-
- (define (wait-for-computation frame)
- (verify-drscheme-frame-frontmost 'wait-for-computation frame)
- (let* ([button (ivar frame execute-button)]
- [wait-for-computation-pred
- (lambda ()
- (fw:test:reraise-error)
- (send button is-enabled?))])
- (poll-until
- wait-for-computation-pred
- 60)))
-
- (define do-execute
- (case-lambda
- [(frame)
- (do-execute frame #t)]
- [(frame wait-for-finish?)
- (verify-drscheme-frame-frontmost 'do-execute frame)
- (let ([button (ivar frame execute-button)])
- (fw:test:button-push button)
- (when wait-for-finish?
- (wait-for-computation frame)))]))
-
- (define (verify-drscheme-frame-frontmost function-name frame)
- (unless (and (eq? frame (get-top-level-focus-window))
- (drscheme-frame? frame))
- (error function-name "drscheme frame not frontmost: ~e" frame)))
-
- (define (clear-definitions frame)
- (verify-drscheme-frame-frontmost 'clear-definitions frame)
- (fw:test:new-window (ivar frame definitions-canvas))
- (let ([window (send frame get-focus-window)])
- (let-values ([(cw ch) (send window get-client-size)]
- [(w h) (send window get-size)])
- (fw:test:mouse-click 'left
- (+ cw (floor (/ (- w cw) 2)))
- (+ ch (floor (/ (- h ch) 2))))))
- (fw:test:menu-select "Edit" "Select All")
- (fw:test:menu-select "Edit" (if (eq? (system-type) 'macos)
- "Clear"
- "Delete")))
-
-
- (define (type-in-definitions frame str)
- (type-in-definitions/interactions 'definitions-canvas frame str))
- (define (type-in-interactions frame str)
- (type-in-definitions/interactions 'interactions-canvas frame str))
-
- (define (type-in-definitions/interactions canvas-ivar frame str/sexp)
- (let ([str (if (string? str/sexp)
- str/sexp
- (let ([port (open-output-string)])
- (parameterize ([current-output-port port])
- (write str/sexp port))
- (get-output-string port)))])
- (verify-drscheme-frame-frontmost 'type-in-definitions/interactions frame)
- (let ([len (string-length str)]
- [canvas (ivar/proc frame canvas-ivar)])
- (fw:test:new-window canvas)
- (send (send canvas get-editor) set-caret-owner #f)
- (let loop ([i 0])
- (unless (>= i len)
- (let ([c (string-ref str i)])
- (fw:test:keystroke
- (if (char=? c #\newline)
- #\return
- c)))
- (loop (+ i 1)))))))
-
- (define wait
- (case-lambda
- [(test desc-string) (wait test desc-string 5)]
- [(test desc-string time)
- (let ([int 1/2])
- (let loop ([sofar 0])
- (cond
- [(> sofar time) (error 'wait desc-string)]
- [(test) (void)]
- [else (sleep int)
- (loop (+ sofar int))])))]))
-
- (define (wait-pending)
- (wait (lambda () (= 0 (fw:test:number-pending-actions)))
- "Pending actions didn't terminate")
- (fw:test:reraise-error))
-
-
-;;; get-sub-panel takes
-;;; a list of integers describing the path from a frame to the desired panel
-;;; the frame
-;;; based on code by Mark Krentel
-
-;;; Examples:
-;;; (get-sub-panel '() frame) gets the top-panel in frame
-;;; (get-sub-panel '(2) frame) gets the 2nd child of the top-panel
-;;; (get-sub-panel '(2 0) frame) gets the 0th child of the 2nd child of the top-panel
-
- (define (get-sub-panel path frame)
- (letrec ([loop
- (lambda (path panel)
- (if (null? path)
- (if (is-a? panel panel%)
- panel
- (test-util-error "not a panel"))
- (loop
- (cdr path)
- (list-ref (send panel get-children) (car path)))))])
- (loop path frame)))
-
-;;; get-text-pos returns the offset in an text buffer of the beginning
-;;; of the last line
-
- (define (get-text-pos text)
- (let* ([last-pos (send text last-position)]
- [last-line (send text position-line last-pos)])
- (send text line-start-position last-line)))
-
- ; poll for enabled button
-
- (define (wait-for-button button)
- (poll-until
- (let ([wait-for-button-pred
- (lambda ()
- (send button is-enabled?))])
- wait-for-button-pred)))
-
- (define (push-button-and-wait button)
- (fw:test:button-push button)
- (poll-until
- (let ([button-push-and-wait-pred
- (lambda ()
- (fw:test:reraise-error)
- (= 0 (fw:test:number-pending-actions)))])
- button-push-and-wait-pred))
- (wait-for-button button))
-
- ; set language level in the frontmost DrScheme frame
- (define set-language-level!
- (case-lambda
- [(level)
- (set-language-level! level #t)]
- [(level close-dialog?)
- (let ([frame (get-top-level-focus-window)])
- (fw:test:menu-select "Language" "Choose Language...")
-
- (wait-for-new-frame frame)
- (let ([language-choice (find-labelled-window "Language" choice%)])
- (cond
- [(member level (let loop ([n (send language-choice get-number)])
- (cond
- [(zero? n) null]
- [else (cons (send language-choice get-string (- n 1))
- (loop (- n 1)))])))
- (fw:test:set-choice! language-choice level)]
- [else
- (fw:test:set-choice! language-choice "Full Scheme")
- (fw:test:set-radio-box!
- (find-labelled-window #f radio-box% (send language-choice get-parent))
- level)]))
-
- (when close-dialog?
- (let ([language-dialog (get-top-level-focus-window)])
- (fw:test:button-push "OK")
- (wait-for-new-frame language-dialog))))]))
-
- (define (repl-in-edit-sequence?)
- (send (ivar (wait-for-drscheme-frame) interactions-text) refresh-delayed?))
-
- (define (has-error? frame)
- (verify-drscheme-frame-frontmost 'had-error? frame)
- (let* ([interactions-text (ivar frame interactions-text)]
- [last-para (send interactions-text last-paragraph)])
- (unless (>= last-para 2)
- (error 'has-error? "expected at least 2 paragraphs in interactions window, found ~a"
- (+ last-para 1)))
- (let ([start (send interactions-text paragraph-start-position 2)]
- [end (send interactions-text paragraph-end-position
- (- (send interactions-text last-paragraph) 1))])
- (send interactions-text split-snip start)
- (send interactions-text split-snip end)
- (let loop ([pos start])
- (cond
- [(<= end pos) #f]
- [else
- (let ([snip (send interactions-text find-snip pos 'after-or-none)])
- (cond
- [(not snip) #f]
- [else
- (let ([color (send (send snip get-style) get-foreground)])
- (if (and (= 255 (send color red))
- (= 0 (send color blue) (send color green)))
- #t
- (loop (+ pos (send snip get-count)))))]))])))))
-
- (define fetch-output
- (case-lambda
- [(frame)
- (verify-drscheme-frame-frontmost 'fetch-output frame)
- (let* ([interactions-text (ivar frame interactions-text)]
- [last-para (send interactions-text last-paragraph)])
- (unless (>= last-para 2)
- (error 'fetch-output "expected at least 2 paragraphs in interactions window, found ~a"
- (+ last-para 1)))
- (fetch-output frame
- (send interactions-text paragraph-start-position 2)
- (send interactions-text paragraph-end-position
- (- (send interactions-text last-paragraph) 1))))]
- [(frame start end)
- (verify-drscheme-frame-frontmost 'fetch-output frame)
- (let ([interactions-text (ivar frame interactions-text)])
- (send interactions-text split-snip start)
- (send interactions-text split-snip end)
- (let loop ([snip (send interactions-text find-snip end 'before)]
- [strings null])
- (cond
- [(< (send interactions-text get-snip-position snip) start)
- (apply string-append strings)]
- [else
- (cond
- [(is-a? snip string-snip%)
- (loop (send snip previous)
- (cons (send snip get-text 0 (send snip get-count)) strings))]
- [(is-a? snip editor-snip%)
- (let ([editor (send snip get-editor)])
- (cond
- [(is-a? editor pasteboard%)
- (loop (send snip previous)
- (cons "" strings))]
- [(is-a? editor text%)
- (loop (send snip previous)
- (list* "["
- (send editor get-text)
- "]"
- strings))]))]
- [(is-a? snip image-snip%)
- (loop (send snip previous)
- (cons ""
- strings))]
- [else (error 'find-output "unknown snip: ~e~n" snip)])])))])))
\ No newline at end of file
diff --git a/collects/tests/drscheme/drscheme-test.ss b/collects/tests/drscheme/drscheme-test.ss
deleted file mode 100644
index 8061f488..00000000
--- a/collects/tests/drscheme/drscheme-test.ss
+++ /dev/null
@@ -1,47 +0,0 @@
-;;; drscheme-test.ss
-
-;;; files for testing of DrScheme
-
-;;; Author: Paul Steckler
-
-(load-relative "drscheme-test-util.ss")
-
-(define test-files
- (list
- "menu-test.ss" ; opens some dialogs and closes them
- "repl-test.ss" ; executes and loads some terms in the REPL
- "check-syntax-test.ss" ; calls syntax checker on some terms
- ))
-
-(define pr-files
- (list
- "pr-17.ss"
- "pr-39.ss"
- "pr-39.ss"
- "pr-46.ss"
- "pr-48.ss"
- "pr-51.ss"
- "pr-58.ss"
- "pr-80.ss"
- "pr-99.ss"
- "pr-144.ss"
- "pr-246.ss"
- ))
-
-(define (run-it s)
- (clear-definitions (wait-for-drscheme-frame))
- (printf "Running tests in file ~a...~n" s)
- (load-relative s)
- (printf "Done with file ~a.~n" s))
-
-(printf "Running DrScheme tests...~n")
-
-(for-each run-it test-files)
-
-(printf "Done with DrScheme tests.~n")
-
-(printf "Running tests designed from GNATS pr's...~n")
-
-(for-each run-it pr-files)
-
-(printf "Done with GNATS pr tests.~n")
diff --git a/collects/tests/drscheme/event-efficency.ss b/collects/tests/drscheme/event-efficency.ss
deleted file mode 100644
index 0119a04a..00000000
--- a/collects/tests/drscheme/event-efficency.ss
+++ /dev/null
@@ -1,63 +0,0 @@
-(define semaphore (make-semaphore 0))
-(define loop-size 3000)
-(define events/loop 10)
-
-(define frame (make-object frame% "frame" #f 100 100))
-(define counter 0)
-(define canvas
- (make-object
- (class canvas% ()
- (inherit refresh)
- (override
- [on-paint
- (lambda ()
- (cond
- [(equal? 0 counter)
- (void)]
- [else
- (set! counter (- counter 1))
- (refresh)]))])
- (sequence (super-init frame)))))
-
-(send frame show #t)
-;(event-dispatch-handler (let ([orig (event-dispatch-handler)]) (lambda (eventspace) (orig eventspace))))
-
-(define (test name body-expression after-expression)
- (let ([start-time (current-milliseconds)])
- (eval
- `(let loop ([n loop-size])
- (unless (zero? n)
- ,body-expression
- (loop (- n 1)))))
- (let* ([end-time (current-milliseconds)]
- [total-time (- end-time start-time)])
-
- (eval after-expression)
-
- (printf "~a: time per event ~a msec~n~a: total time ~a msec~n"
- name
- (exact->inexact
- (/ (floor (* (/ total-time loop-size events/loop) 1000)) 1000))
- name
- total-time))))
-
-
-(test
- "canvas"
- `(begin
- ,@(let loop ([n events/loop])
- (cond
- [(zero? n) `()]
- [else `((queue-callback void)
- .
- ,(loop (- n 1)))])))
- '(void))
-
-
-(test
- "queue"
- '(begin (set! counter events/loop)
- (send canvas refresh))
- '(begin (queue-callback (lambda () (semaphore-post semaphore)))
- (yield semaphore)))
-
diff --git a/collects/tests/drscheme/io.ss b/collects/tests/drscheme/io.ss
deleted file mode 100644
index 2338e2d4..00000000
--- a/collects/tests/drscheme/io.ss
+++ /dev/null
@@ -1,35 +0,0 @@
-(set-language-level! "Textual (MzScheme)")
-
-(define frame (wait-for-drscheme-frame))
-
-(define (check-output expression expected)
- (begin
- (clear-definitions frame)
- (type-in-definitions frame expression)
- (do-execute frame)
- (let ([got (fetch-output frame)])
- (unless (equal? expected got)
- (error 'io.ss "expected ~s, got ~s for ~s" expected got expression)))))
-
-(check-output "(display 1)" "[1]")
-(check-output "(display 1 (current-output-port))" "[1]")
-(check-output "(display 1 (current-error-port))" "1")
-(check-output "(display 1) (display 1 (current-error-port))" (format "[1]~n1"))
-(check-output "(display 1 (current-error-port)) (display 1)" (format "1~n[1]"))
-(check-output "(display 1) (display 1 (current-error-port)) (display 1)" (format "[1]~n1~n[1]"))
-(check-output "(display 1 (current-error-port)) (display 1) (display 1 (current-error-port))" (format "1~n[1]~n1"))
-(check-output "(let ([s (make-semaphore)]) (thread (lambda () (display 1) (semaphore-post s))) (semaphore-wait s))" "[1]")
-(check-output "(let ([s (make-semaphore)]) (thread (lambda () (display 1 (current-output-port)) (semaphore-post s))) (semaphore-wait s))" "[1]")
-(check-output "(let ([s (make-semaphore)]) (thread (lambda () (display 1 (current-error-port)) (semaphore-post s))) (semaphore-wait s))" "1")
-
-
-;; long io / execute test
-(clear-definitions frame)
-(type-in-definitions
- frame
- "(let f ([n 7] [p null]) (if (= n 0) p (list (f (- n 1) (cons 'l p)) (f (- n 1) (cons 'r p)))))")
-(do-execute frame)
-(clear-definitions frame)
-(do-execute frame)
-(unless (equal? "" (fetch-output frame))
- (error 'io.ss "failed long io / execute test"))
diff --git a/collects/tests/drscheme/language-test.ss b/collects/tests/drscheme/language-test.ss
deleted file mode 100644
index 9533f434..00000000
--- a/collects/tests/drscheme/language-test.ss
+++ /dev/null
@@ -1,576 +0,0 @@
-(define language (make-parameter "<>"))
-
-(define (set-language close-dialog?)
- (set-language-level! (language) close-dialog?)
- (unless close-dialog?
- (with-handlers ([exn:user? (lambda (x) (void))])
- (fw:test:button-push "Show Details"))))
-
-(define (test-setting setting-name value expression result)
- (fw:test:set-check-box! setting-name value)
- (let ([f (get-top-level-focus-window)])
- (fw:test:button-push "OK")
- (wait-for-new-frame f))
- (let* ([drs (get-top-level-focus-window)]
- [interactions (ivar drs interactions-text)])
- (clear-definitions drs)
- (type-in-definitions drs expression)
- (do-execute drs)
- (let* ([got (fetch-output drs)])
- (unless (string=? result got)
- (printf "FAILED: ~a ~a test~n expected: ~a~n got: ~a~n" (language) expression result got)))
- '(dump-memory-stats)))
-
-(define (test-hash-bang)
- (let* ([expression (format "#!~n1")]
- [result "1"]
- [drs (get-top-level-focus-window)]
- [interactions (ivar drs interactions-text)])
- (clear-definitions drs)
- (type-in-definitions drs expression)
- (do-execute drs)
- (let* ([got (fetch-output drs)])
- (unless (string=? "1" got)
- (printf "FAILED: ~a ~a test~n expected: ~a~n got: ~a~n"
- (language) expression result got)))))
-
-(define (mred)
- (parameterize ([language "Graphical without Debugging (MrEd)"])
- (generic-settings #f)
- (generic-output #t #t #f)
- (set-language #f)
- (test-setting "Unmatched cond/case is an error" #t "(cond [#f 1])" "cond or case: no matching clause")
-
- (test-hash-bang)
-
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (set-language #t)
- (do-execute drs))
-
- (test-expression "(error 'a \"~a\" 1)" "a: 1")
- (test-expression "(error \"a\" \"a\")" "a \"a\"")
-
- (test-expression "(time 1)" (format "[cpu time: 0 real time: 0 gc time: 0]~n1"))
-
- (test-expression "(list make-posn posn-x posn-y posn?)" "reference to undefined identifier: make-posn")
- (test-expression "set-posn-x!" "reference to undefined identifier: set-posn-x!")
- (test-expression "set-posn-y!" "reference to undefined identifier: set-posn-y!")
-
- (test-expression "true" "reference to undefined identifier: true")
- (test-expression "mred^" "compile: illegal use of an expansion-time value name in: mred^")
- (test-expression "(eq? 'a 'A)" "#t")
- (test-expression "(set! x 1)" "set!: cannot set undefined identifier: x")
- (test-expression "(cond [(= 1 2) 3])" "")
- (test-expression "(cons 1 2)" "(1 . 2)")
- (test-expression "'(1)" "(1)")
- (test-expression "(define shrd (box 1)) (list shrd shrd)"
- "(#&1 #&1)")
- (test-expression "(local ((define x x)) 1)" "define-values: illegal use (not at top-level) in: (#%define-values (x) x)")
- (test-expression "(if 1 1 1)" "1")
- (test-expression "(+ 1)" "1")
- (test-expression "1.0" "1.0")
- (test-expression "#i1.0" "1.0")
- (test-expression "3/2" "3/2")
- (test-expression "1/3" "1/3")
- (test-expression "(list 1)" "(1)")
- (test-expression "argv" "#0()")))
-
-(define (mzscheme)
- (parameterize ([language "Textual without Debugging (MzScheme)"])
- (generic-settings #f)
- (generic-output #t #t #f)
- (set-language #f)
- (test-setting "Unmatched cond/case is an error" #t "(cond [#f 1])" "cond or case: no matching clause")
-
- (test-hash-bang)
-
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (set-language #t)
- (do-execute drs))
-
- (test-expression "(error 'a \"~a\" 1)" "a: 1")
- (test-expression "(error \"a\" \"a\")" "a \"a\"")
-
- (test-expression "(time 1)" (format "[cpu time: 0 real time: 0 gc time: 0]~n1"))
-
- (test-expression "(list make-posn posn-x posn-y posn?)" "reference to undefined identifier: make-posn")
- (test-expression "set-posn-x!" "reference to undefined identifier: set-posn-x!")
- (test-expression "set-posn-y!" "reference to undefined identifier: set-posn-y!")
-
- (test-expression "true" "reference to undefined identifier: true")
- (test-expression "mred^" "reference to undefined identifier: mred^")
- (test-expression "(eq? 'a 'A)" "#t")
- (test-expression "(set! x 1)" "set!: cannot set undefined identifier: x")
- (test-expression "(cond [(= 1 2) 3])" "")
- (test-expression "(cons 1 2)" "(1 . 2)")
- (test-expression "'(1)" "(1)")
- (test-expression "(define shrd (box 1)) (list shrd shrd)"
- "(#&1 #&1)")
- (test-expression "(local ((define x x)) 1)" "define-values: illegal use (not at top-level) in: (#%define-values (x) x)")
- (test-expression "(if 1 1 1)" "1")
- (test-expression "(+ 1)" "1")
- (test-expression "1.0" "1.0")
- (test-expression "#i1.0" "1.0")
- (test-expression "3/2" "3/2")
- (test-expression "1/3" "1/3")
- (test-expression "(list 1)" "(1)")
- (test-expression "argv" "#0()")))
-
-(define (mred-debug)
- (parameterize ([language "Graphical (MrEd)"])
- (generic-settings #f)
- (generic-output #t #t #t)
- (set-language #f)
- (test-setting "Unmatched cond/case is an error" #t "(cond [#f 1])" "no matching cond clause")
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #t "(letrec ([x x]) 1)"
- "Variable x referenced before definition or initialization")
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #f "(letrec ([x x]) 1)" "1")
-
- (test-hash-bang)
-
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (set-language #t)
- (do-execute drs))
-
- (test-expression "(error 'a \"~a\" 1)" "a: 1")
- (test-expression "(error \"a\" \"a\")" "a \"a\"")
-
- (test-expression "(time 1)" (format "[cpu time: 0 real time: 0 gc time: 0]~n1"))
-
- (test-expression "(list make-posn posn-x posn-y posn?)" "reference to undefined identifier: make-posn")
- (test-expression "set-posn-x!" "reference to undefined identifier: set-posn-x!")
- (test-expression "set-posn-y!" "reference to undefined identifier: set-posn-y!")
-
- (test-expression "true" "reference to undefined identifier: true")
- (test-expression "mred^" "signature: invalid use of signature name mred^")
- (test-expression "(eq? 'a 'A)" "#t")
- (test-expression "(set! x 1)" "set!: cannot set undefined identifier: x")
- (test-expression "(cond [(= 1 2) 3])" "")
- (test-expression "(cons 1 2)" "(1 . 2)")
- (test-expression "'(1)" "(1)")
- (test-expression "(define shrd (box 1)) (list shrd shrd)"
- "(#&1 #&1)")
- (test-expression "(local ((define x x)) 1)"
- "definition: invalid position for internal definition")
- (test-expression "(letrec ([x x]) 1)" "1")
- (test-expression "(if 1 1 1)" "1")
- (test-expression "(+ 1)" "1")
- (test-expression "1.0" "1.0")
- (test-expression "#i1.0" "1.0")
- (test-expression "3/2" "3/2")
- (test-expression "1/3" "1/3")
- (test-expression "(list 1)" "(1)")
- (test-expression "argv" "#0()")))
-
-(define (mzscheme-debug)
- (parameterize ([language "Textual (MzScheme)"])
- (generic-settings #f)
- (generic-output #t #t #t)
- (set-language #f)
- (test-setting "Unmatched cond/case is an error" #t "(cond [#f 1])" "no matching cond clause")
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #t "(letrec ([x x]) 1)"
- "Variable x referenced before definition or initialization")
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #f "(letrec ([x x]) 1)" "1")
-
- (test-hash-bang)
-
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (set-language #t)
- (do-execute drs))
-
- (test-expression "(error 'a \"~a\" 1)" "a: 1")
- (test-expression "(error \"a\" \"a\")" "a \"a\"")
-
- (test-expression "(time 1)" (format "[cpu time: 0 real time: 0 gc time: 0]~n1"))
-
- (test-expression "(list make-posn posn-x posn-y posn?)" "reference to undefined identifier: make-posn")
- (test-expression "set-posn-x!" "reference to undefined identifier: set-posn-x!")
- (test-expression "set-posn-y!" "reference to undefined identifier: set-posn-y!")
-
- (test-expression "true" "reference to undefined identifier: true")
- (test-expression "mred^" "reference to undefined identifier: mred^")
- (test-expression "(eq? 'a 'A)" "#t")
- (test-expression "(set! x 1)" "set!: cannot set undefined identifier: x")
- (test-expression "(cond [(= 1 2) 3])" "")
- (test-expression "(cons 1 2)" "(1 . 2)")
- (test-expression "'(1)" "(1)")
- (test-expression "(define shrd (box 1)) (list shrd shrd)"
- "(#&1 #&1)")
- (test-expression "(local ((define x x)) 1)"
- "definition: invalid position for internal definition")
- (test-expression "(letrec ([x x]) 1)" "1")
- (test-expression "(if 1 1 1)" "1")
- (test-expression "(+ 1)" "1")
- (test-expression "1.0" "1.0")
- (test-expression "#i1.0" "1.0")
- (test-expression "3/2" "3/2")
- (test-expression "1/3" "1/3")
- (test-expression "(list 1)" "(1)")
- (test-expression "argv" "#0()")))
-
-(define (zodiac-beginner)
- (parameterize ([language "Beginning Student"])
- (zodiac)
- (generic-output #f #f #t)
-
- (test-hash-bang)
-
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (set-language #t)
- (do-execute drs))
-
- (test-expression "(error 'a \"~a\" 1)"
- "procedure error: expects 2 arguments, given 3: 'a \"~a\" 1")
- (test-expression "(error \"a\" \"a\")"
- "error: expected a symbol and a string, got \"a\" and \"a\"")
-
- (test-expression "(time 1)" "reference to undefined identifier: time")
-
- (test-expression "(list make-posn posn-x posn-y posn?)" "(cons make-posn (cons posn-x (cons posn-y (cons posn? empty))))")
- (test-expression "set-posn-x!" "reference to undefined identifier: set-posn-x!")
- (test-expression "set-posn-y!" "reference to undefined identifier: set-posn-y!")
-
- (test-expression "true" "true")
- (test-expression "mred^" "reference to undefined identifier: mred^")
- (test-expression "(eq? 'a 'A)" "false")
- (test-expression "(set! x 1)" "reference to undefined identifier: set!")
- (test-expression "(cond [(= 1 2) 3])" "no matching cond clause")
- (test-expression "(cons 1 2)" "cons: second argument must be of type , given 1 and 2")
- (test-expression "'(1)" "quote: misused: '(1) is not a symbol")
- (test-expression "(define shrd (box 1)) (list shrd shrd)"
- "(cons (box 1) (cons (box 1) empty))")
- (test-expression "(local ((define x x)) 1)"
- "definition: must be at the top level")
- (test-expression "(letrec ([x x]) 1)"
- "illegal application: first term in application must be a function name")
- (test-expression "(if 1 1 1)" "Condition value is neither true nor false: 1")
- (test-expression "(+ 1)" "+: expects at least 2 arguments, given 1: 1")
- (test-expression "1.0" "1")
- (test-expression "#i1.0" "#i1.0")
- (test-expression "3/2" "1.5")
- (test-expression "1/3" "1/3")
- (test-expression "(list 1)" "(cons 1 empty)")
- (test-expression "argv" "reference to undefined identifier: argv")))
-
-(define (zodiac-intermediate)
- (parameterize ([language "Intermediate Student"])
- (zodiac)
- (generic-output #t #f #t)
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #t "(local ((define x x)) 1)"
- "Variable x referenced before definition or initialization")
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #f "(local ((define x x)) 1)" "1")
-
- (test-hash-bang)
-
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (set-language #t)
- (do-execute drs))
-
- (test-expression "(error 'a \"~a\" 1)"
- "procedure error: expects 2 arguments, given 3: 'a \"~a\" 1")
- (test-expression "(error \"a\" \"a\")"
- "error: expected a symbol and a string, got \"a\" and \"a\"")
-
- (test-expression "(time 1)" (format "[cpu time: 0 real time: 0 gc time: 0]~n1"))
-
- (test-expression "(list make-posn posn-x posn-y posn?)" "(list make-posn posn-x posn-y posn?)")
- (test-expression "set-posn-x!" "reference to undefined identifier: set-posn-x!")
- (test-expression "set-posn-y!" "reference to undefined identifier: set-posn-y!")
-
- (test-expression "true" "true")
- (test-expression "mred^" "reference to undefined identifier: mred^")
- (test-expression "(eq? 'a 'A)" "false")
- (test-expression "(set! x 1)" "reference to undefined identifier: set!")
- (test-expression "(cond [(= 1 2) 3])" "no matching cond clause")
- (test-expression "(cons 1 2)" "cons: second argument must be of type , given 1 and 2")
- (test-expression "'(1)" "(list 1)")
- (test-expression "(define shrd (box 1)) (list shrd shrd)"
- "(list (box 1) (box 1))")
- (test-expression "(local ((define x x)) 1)" "Variable x referenced before definition or initialization")
- (test-expression "(letrec ([x x]) 1)" "Variable x referenced before definition or initialization")
- (test-expression "(if 1 1 1)" "Condition value is neither true nor false: 1")
- (test-expression "(+ 1)" "+: expects at least 2 arguments, given 1: 1")
- (test-expression "1.0" "1")
- (test-expression "#i1.0" "#i1.0")
- (test-expression "3/2" "1.5")
- (test-expression "1/3" "1/3")
- (test-expression "(list 1)" "(list 1)")
- (test-expression "argv" "reference to undefined identifier: argv")))
-
-(define (zodiac-advanced)
- (parameterize ([language "Advanced Student"])
- (zodiac)
- (generic-output #t #t #t)
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #t "(local ((define x x)) 1)"
- "Variable x referenced before definition or initialization")
- (set-language #f)
- (test-setting "Signal undefined variables when first referenced" #f "(local ((define x x)) 1)" "1")
-
- (test-hash-bang)
-
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (set-language #t)
- (do-execute drs))
-
- (test-expression "(error 'a \"~a\" 1)"
- "procedure error: expects 2 arguments, given 3: 'a \"~a\" 1")
- (test-expression "(error \"a\" \"a\")"
- "error: expected a symbol and a string, got \"a\" and \"a\"")
-
- (test-expression "(time 1)" (format "[cpu time: 0 real time: 0 gc time: 0]~n1"))
-
- (test-expression "(list make-posn posn-x posn-y posn?)" "(list make-posn posn-x posn-y posn?)")
- (test-expression "set-posn-x!" "set-posn-x!")
- (test-expression "set-posn-y!" "set-posn-y!")
-
- (test-expression "true" "true")
- (test-expression "mred^" "reference to undefined identifier: mred^")
- (test-expression "(eq? 'a 'A)" "false")
- (test-expression "(set! x 1)" "set!: cannot set undefined identifier: x")
- (test-expression "(cond [(= 1 2) 3])" "no matching cond clause")
- (test-expression "(cons 1 2)" "cons: second argument must be of type , given 1 and 2")
- (test-expression "'(1)" "(list 1)")
- (test-expression "(define shrd (box 1)) (list shrd shrd)"
- "(shared ((-1- (box 1))) (list -1- -1-))")
- (test-expression "(local ((define x x)) 1)" "Variable x referenced before definition or initialization")
- (test-expression "(letrec ([x x]) 1)" "Variable x referenced before definition or initialization")
- (test-expression "(if 1 1 1)" "1")
- (test-expression "(+ 1)" "+: expects at least 2 arguments, given 1: 1")
- (test-expression "1.0" "1")
- (test-expression "#i1.0" "#i1.0")
- (test-expression "3/2" "1.5")
- (test-expression "1/3" "1/3")
- (test-expression "(list 1)" "(list 1)")
- (test-expression "argv" "reference to undefined identifier: argv")))
-
-(define (zodiac)
- (generic-settings #t)
-
- (set-language #f)
- (test-setting "Print booleans as true and false" #t "#t #f" (format "true~nfalse"))
- (set-language #f)
- (test-setting "Print booleans as true and false" #f "#t #f" (format "#t~n#f"))
-
- (set-language #f)
- (test-setting "Unmatched cond/case is an error" #t "(cond [false 1])" "no matching cond clause"))
-
-(define (generic-settings false/true?)
- (set-language #f)
- (test-setting "Case sensitive" #t "(eq? 'a 'A)" (if false/true? "false" "#f"))
- (set-language #f)
- (test-setting "Case sensitive" #f "(eq? 'a 'A)" (if false/true? "true" "#t"))
- (set-language #f)
- (test-setting "Unmatched cond/case is an error" #f
- (format "(cond [~a 1])" (if false/true? "false" "#f"))
- ""))
-
-(define (generic-output list? quasi-quote? zodiac?)
- (let* ([drs (wait-for-drscheme-frame)]
- [expression (format "(define x (box 4/3))~n(list x x)")]
- [set-output-choice
- (lambda (option show-sharing rationals pretty?)
- (set-language #f)
- (fw:test:set-radio-box! "Output Style" option)
- (when show-sharing
- (fw:test:set-check-box!
- "Show sharing in values"
- (if (eq? show-sharing 'on) #t #f)))
- (when rationals
- (fw:test:set-check-box!
- "Print rationals in whole/part notation"
- (if (eq? rationals 'on) #t #f)))
- (fw:test:set-check-box!
- "Use pretty printer to format values"
- pretty?)
- (let ([f (get-top-level-focus-window)])
- (fw:test:button-push "OK")
- (wait-for-new-frame f)))]
- [test
- ;; answer must either be a string, or a procedure that accepts both zero and 1
- ;; argument. When the procedure accepts 1 arg, the argument is `got' and
- ;; the result must be a boolean indicating if the result was satisfactory.
- ;; if the procedure receives no arguments, it must return a descriptive string
- ;; for the error message
- (lambda (option show-sharing rationals pretty? answer)
- (set-output-choice option show-sharing rationals pretty?)
- (do-execute drs)
- (let ([got (fetch-output drs)])
- (unless (if (procedure? answer)
- (answer got)
- (whitespace-string=? answer got))
- (printf "FAILED ~a ~a, sharing ~a, rationals ~a, got ~s expected ~s~n"
- (language) option show-sharing rationals got
- (answer)))))])
-
- (clear-definitions drs)
- (type-in-definitions drs expression)
-
- (test "write" 'off #f #t "(#&4/3 #&4/3)")
- (test "write" 'on #f #t "(#0=#&4/3 #0#)")
- (when quasi-quote?
- (test "Quasiquote" 'off 'off #t "`(,(box 4/3) ,(box 4/3))")
- (test "Quasiquote" 'off 'on #t "`(,(box (+ 1 1/3)) ,(box (+ 1 1/3)))")
- (test "Quasiquote" 'on 'off #t "(shared ((-1- (box 4/3))) `(,-1- ,-1-))")
- (test "Quasiquote" 'on 'on #t "(shared ((-1- (box (+ 1 1/3)))) `(,-1- ,-1-))"))
- (test "Constructor" 'off 'off #t
- (if list?
- "(list (box 4/3) (box 4/3))"
- "(cons (box 4/3) (cons (box 4/3) empty))"))
- (test "Constructor" 'off 'on #t
- (if list?
- "(list (box (+ 1 1/3)) (box (+ 1 1/3)))"
- "(cons (box (+ 1 1/3)) (cons (box (+ 1 1/3)) empty))"))
- (test "Constructor" 'on 'off #t
- (if list?
- "(shared ((-1- (box 4/3))) (list -1- -1-))"
- (format "(shared ((-1- (box 4/3))) (cons -1- (cons -1- empty)))")))
- (test "Constructor" 'on 'on #t
- (if list?
- "(shared ((-1- (box (+ 1 1/3)))) (list -1- -1-))"
- (format "(shared ((-1- (box (+ 1 1/3)))) (cons -1- (cons -1- empty)))")))
-
-
- ;; setup comment box
- (clear-definitions drs)
- (fw:test:menu-select "Edit" "Insert Text Box")
- (fw:test:keystroke #\a)
- (fw:test:keystroke #\b)
- (fw:test:keystroke #\c)
-
- ;; test comment box in print-convert and print-convert-less settings
- (test "Constructor" 'on 'on #t (if zodiac? "[abc]" "'non-string-snip"))
- (test "write" 'on #f #t (if zodiac? "[abc]" "non-string-snip"))
-
- ;; setup write / pretty-print difference
- (clear-definitions drs)
- (for-each fw:test:keystroke
- (string->list
- "(define(f n)(cond((zero? n)null)[else(cons n(f(- n 1)))]))(f 40)"))
- (test "Constructor" 'on 'on #f
- (case-lambda
- [(x) (not (member #\newline (string->list x)))]
- [() "no newlines in result"]))
- (test "Constructor" 'on 'on #t
- (case-lambda
- [(x) (member #\newline (string->list x))]
- [() "newlines in result (may need to make the window smaller)"]))
- (test "write" #f #f #f
- (case-lambda
- [(x) (not (member #\newline (string->list x)))]
- [() "no newlines in result"]))
- (test "write" #f #f #t
- (case-lambda
- [(x) (member #\newline (string->list x))]
- [() "newlines in result (may need to make the window smaller)"]))))
-
-(define (whitespace-string=? string1 string2)
- (let loop ([i 0]
- [j 0]
- [in-whitespace? #t])
- (cond
- [(= i (string-length string1)) (only-whitespace? string2 j)]
- [(= j (string-length string2)) (only-whitespace? string1 i)]
- [else (let ([c1 (string-ref string1 i)]
- [c2 (string-ref string2 j)])
- (cond
- [in-whitespace?
- (cond
- [(whitespace? c1)
- (loop (+ i 1)
- j
- #t)]
- [(whitespace? c2)
- (loop i
- (+ j 1)
- #t)]
- [else (loop i j #f)])]
- [(and (whitespace? c1)
- (whitespace? c2))
- (loop (+ i 1)
- (+ j 1)
- #t)]
- [(char=? c1 c2)
- (loop (+ i 1)
- (+ j 1)
- #f)]
- [else #f]))])))
-
-(define (whitespace? c)
- (or (char=? c #\newline)
- (char=? c #\space)
- (char=? c #\tab)
- (char=? c #\return)))
-
-(define (only-whitespace? str i)
- (let loop ([n i])
- (cond
- [(= n (string-length str))
- #t]
- [(whitespace? (string-ref str n))
- (loop (+ n 1))]
- [else #f])))
-
-;; whitespace-string=? tests
-'(map (lambda (x) (apply equal? x))
- (list (list #t (whitespace-string=? "a" "a"))
- (list #f (whitespace-string=? "a" "A"))
- (list #f (whitespace-string=? "a" " "))
- (list #f (whitespace-string=? " " "A"))
- (list #t (whitespace-string=? " " " "))
- (list #t (whitespace-string=? " " " "))
- (list #t (whitespace-string=? " " " "))
- (list #t (whitespace-string=? " " " "))
- (list #t (whitespace-string=? "a a" "a a"))
- (list #t (whitespace-string=? "a a" "a a"))
- (list #t (whitespace-string=? "a a" "a a"))
- (list #t (whitespace-string=? " a" "a"))
- (list #t (whitespace-string=? "a" " a"))
- (list #t (whitespace-string=? "a " "a"))
- (list #t (whitespace-string=? "a" "a "))))
-
-(define (test-expression expression expected)
- (let* ([drs (wait-for-drscheme-frame)]
- [interactions-text (ivar drs interactions-text)]
- [last-para (send interactions-text last-paragraph)])
- (send interactions-text set-position
- (send interactions-text last-position)
- (send interactions-text last-position))
- (type-in-interactions drs expression)
- (type-in-interactions drs (string #\newline))
- (wait-for-computation drs)
- (let ([got
- (fetch-output
- drs
- (send interactions-text paragraph-start-position (+ last-para 1))
- (send interactions-text paragraph-end-position
- (- (send interactions-text last-paragraph) 1)))])
- (unless (whitespace-string=? got expected)
- (printf "FAILED: ~a expected ~s to produce ~s, got ~s instead~n"
- (language) expression expected got)))))
-
-
-;; clear teachpack
-(let ([drs (wait-for-drscheme-frame)])
- (fw:test:menu-select "Language" "Clear All Teachpacks"))
-
-(zodiac-beginner)
-(zodiac-intermediate)
-(zodiac-advanced)
-(mzscheme-debug)
-(mred-debug)
-(mzscheme)
-(mred)
diff --git a/collects/tests/drscheme/launcher.ss b/collects/tests/drscheme/launcher.ss
deleted file mode 100644
index ea7a9189..00000000
--- a/collects/tests/drscheme/launcher.ss
+++ /dev/null
@@ -1,96 +0,0 @@
-(define tmp-filename
- (build-path (collection-path "tests" "drscheme")
- "launcher-test-tmp.ss"))
-(define tmp-launcher
- (build-path (collection-path "tests" "drscheme")
- (case (system-type)
- [(unix) "launcher-test-tmp"]
- [(windows) "launcher-test-tmp.exe"]
- [else (error 'launcher.ss "cannot run this test under ~s" (system-type))])))
-(define tmp-teachpack
- (build-path (collection-path "tests" "drscheme")
- "launcher-test-teachpack.ss"))
-
-(define (get-port)
- (let loop ([n 100])
- (unless (zero? n)
- (with-handlers ([(lambda (x) #t)
- (lambda (x)
- (loop (- n 1)))])
- (let ([tcp-port (+ 51700 n)])
- (values tcp-port
- (tcp-listen tcp-port)))))))
-
-(define (run-launcher/no-teachpack listener test expected)
- (when (file-exists? tmp-launcher)
- (delete-file tmp-launcher))
- (use-get/put-dialog
- (lambda ()
- (fw:test:menu-select "Scheme" "Create Launcher..."))
- tmp-launcher)
- (let-values ([(l-in l-out l-pid l-err l-proc) (apply values (process* tmp-launcher))]
- [(in out) (tcp-accept listener)])
- (let ([got (read in)])
- (unless (equal? expected got)
- (error test "expected ~s, got ~s" expected got)))))
-
-(define (teachpackless-test)
- (define-values (port-num listener) (get-port))
- (define drs (wait-for-drscheme-frame))
- (clear-definitions drs)
- (type-in-definitions
- drs
- `(let-values ([(in out) (tcp-connect "localhost" ,port-num)])
- (write 'the-correct-answer out)
- (newline out)))
- (when (file-exists? tmp-filename)
- (delete-file tmp-filename))
- (save-drscheme-window-as tmp-filename)
- (set-language-level! "Graphical without Debugging (MrEd)")
- (run-launcher/no-teachpack listener 'no-teachpack 'the-correct-answer))
-
-(define (teachpack-test language insert-junk)
- (define-values (port-num listener) (get-port))
- (define drs (wait-for-drscheme-frame))
- (set-language-level! language)
- (call-with-output-file tmp-teachpack
- (lambda (port)
- (write
- `(unit/sig (send-back)
- (import plt:userspace^)
- (define (send-back sexp)
- (let-values ([(in out) (tcp-connect "localhost" ,port-num)])
- (write sexp out)
- (newline out)
- (close-output-port out)
- (close-input-port in))))
- port))
- 'truncate)
- (clear-definitions drs)
- (insert-junk)
- (type-in-definitions drs `(send-back 'the-correct-answer))
- (fw:test:menu-select "File" "Save Definitions")
- (fw:test:menu-select "Language" "Clear All Teachpacks")
- (use-get/put-dialog
- (lambda ()
- (fw:test:menu-select "Language" "Add Teachpack..."))
- tmp-teachpack)
- (run-launcher/no-teachpack listener 'teachpack-beginner 'the-correct-answer))
-
-(teachpackless-test)
-
-;(teachpack-test "Graphical (MrEd)" void)
-;(teachpack-test "Textual (MzScheme)" void)
-;(teachpack-test "Textual without Debugging (MzScheme)" void)
-;(teachpack-test "Graphical without Debugging (MrEd)" void)
-;(teachpack-test "Beginning Student" void)
-;(teachpack-test "Intermediate Student" void)
-;(teachpack-test "Advanced Student" void)
-
-(teachpack-test "Beginning Student"
- (lambda ()
- (let ([drs (wait-for-drscheme-frame)])
- (fw:test:menu-select "Edit" "Insert Text Box")
- (fw:test:keystroke #\a)
- (fw:test:keystroke #\b)
- (fw:test:keystroke #\c))))
\ No newline at end of file
diff --git a/collects/tests/drscheme/line-art.ss b/collects/tests/drscheme/line-art.ss
deleted file mode 100644
index 7c1d918b..00000000
--- a/collects/tests/drscheme/line-art.ss
+++ /dev/null
@@ -1,27 +0,0 @@
-(lambda (a b c d e f g h i j k l m n o p q r ss t u v w x y z)
- (list z
- y
- x
- w
- v
- u
- t
- ss
- r
- q
- p
- o
- n
- m
- l
- k
- j
- i
- h
- g
- f
- e
- d
- c
- b
- a))
\ No newline at end of file
diff --git a/collects/tests/drscheme/menu-test.ss b/collects/tests/drscheme/menu-test.ss
deleted file mode 100644
index d23b1566..00000000
--- a/collects/tests/drscheme/menu-test.ss
+++ /dev/null
@@ -1,82 +0,0 @@
-;;; menu-test.ss
-
-;;; tests the various menu items in the DrScheme menubar
-
-;;; Author: Paul Steckler, based on earlier code by Robby Findler
-
-(load "drscheme-test-util.ss")
-
-;; Under X, the validity of these tests requires that the window
-;; with the mouse cursor is active. That's not necessarily the case.
-
-(let* ([frame (wait-for-drscheme-frame)]
-
- [eq-frame? (lambda () (eq? (mred:test:get-active-frame) frame))]
-
- [dialog-test
- (lambda (menu)
- (lambda (item)
- (mred:test:menu-select menu item)
- (wait (lambda () (not (eq-frame?)))
- (string-append
- "Didn't get a new frame after selecting "
- menu "|" item))
- (mred:test:button-push "Cancel")
- (wait-pending)
- (wait eq-frame?
- (string-append
- "Original DrScheme frame not active after cancelling File|"
- item))))]
-
- [file-dialog-test (dialog-test "File")]
- [edit-dialog-test (dialog-test "Edit")]
- [language-dialog-test (dialog-test "Language")]
-
- [file-dialog-items
- '("Open..."
- "Open URL..."
- "Save Definitions As..."
- "Save Definitions As Text..."
- "Save Interactions"
- "Save Interactions As..."
- "Save Interactions As Text..."
-
- ; we omit the print dialogs, because the test primitives
- ; only work with MrEd-derived classes
-
- "Close" ; do this 3 times, per Robby
- "Close"
- "Close"
-
- ; the Quit dialog also seems not to work with the test primitives
-
- )]
-
- [edit-dialog-items
- '("Preferences...")]
-
- [language-dialog-items
- '("Configure Language..."
- "Set Library To...")])
-
- ; this makes sure REPL is loaded
-
- (type-in-definitions frame "a")
-
- (for-each file-dialog-test file-dialog-items)
- (printf "File menu tests complete~n")
-
- (for-each edit-dialog-test edit-dialog-items)
- (printf "Edit menu tests complete~n")
-
- (for-each language-dialog-test language-dialog-items)
- (printf "Language menu tests complete~n")
-
- (printf "All menu tests complete~n"))
-
-; in old autosave+prompt-save.ss, we had:
-
-; ((load-relative (build-path 'up "mred" "gui-main.ss"))
-; "New Unit"
-; "Save Definitions"
-; wx:frame%)
diff --git a/collects/tests/drscheme/pr-144.ss b/collects/tests/drscheme/pr-144.ss
deleted file mode 100644
index 5e0bd1c3..00000000
--- a/collects/tests/drscheme/pr-144.ss
+++ /dev/null
@@ -1,106 +0,0 @@
-;;; pr-144.ss
-
-;;; Open the preferences dialog, go to the check syntax section.
-;;; Wait for the autosave delay and make sure no autosaves appear.
-
-(require-library "function.ss")
-
-(load-relative "drscheme-test-util.ss")
-
-(let* ([drs-frame (wait-for-drscheme-frame)]
- [seconds 5]
- [autosave-prefix "#mredauto#"]
- [autosave-prefix-len (string-length autosave-prefix)]
- [definitions-edit (ivar drs-frame definitions-edit)]
- [autosave-save (mred:get-preference 'mred:autosaving-on?)]
- [autosave-delay-save (mred:get-preference 'mred:autosave-delay)]
- [get-font-cbs
- (lambda (lst)
- (let ([get-cb-with-label
- (lambda (label)
- (car (memf (lambda (elt)
- (and (is-a? elt mred:check-box%)
- (string=? (send elt get-label) label)))
- lst)))])
- (map get-cb-with-label '("Slant" "Bold" "Underline"))))]
- [autosave-file?
- (lambda (filename)
- (and (> (string-length filename) autosave-prefix-len)
- (string=? (substring filename 0 autosave-prefix-len)
- autosave-prefix)))]
- [open-preferences
- (lambda ()
- (mred:test:menu-select "Edit" "Preferences...")
- (let* ([frame
- (letrec ([loop
- (lambda ()
- (let ([active (mred:test:get-active-frame)])
- (if (or (eq? active #f)
- (eq? active drs-frame))
- (begin
- (sleep 1/2)
- (loop))
- active)))])
- (loop))]
- [panel (send frame get-top-panel)]
- [children (ivar panel children)]
- [choice-box (car children)]
- [choice-box-event
- (let ([event-obj
- (make-object wx:command-event%
- wx:const-event-type-choice-command)])
- (send event-obj set-event-object choice-box)
- event-obj)])
- (send choice-box-event set-command-int
- (send choice-box find-string "Check Syntax"))
- (send choice-box command choice-box-event)
-
- (let* ([upper-panel (cadr children)]
- [check-syntax-panel (send upper-panel active-child)]
- [check-box-panels (ivar check-syntax-panel children)]
-
- [syntax-panel (car check-box-panels)]
- [syntax-check-boxes (get-font-cbs (ivar syntax-panel children))]
- [curr-states (map (lambda (cb) (send cb get-value))
- syntax-check-boxes)])
-
- ; toggle current states of syntax checkboxes
- ; we're going to hit Cancel, so nothing should take effect
-
- (map (lambda (cb state)
- (mred:test:set-check-box! cb (not state)))
- syntax-check-boxes
- curr-states))))])
-
- ; delete any existing autosave files
-
- (for-each
- (lambda (filename)
- (when (autosave-file? filename)
- (delete-file filename)))
- (directory-list))
-
- (mred:set-preference 'mred:autosaving-on? #t)
- (mred:set-preference 'mred:autosave-delay seconds)
-
- (open-preferences)
-
- (sleep (+ seconds 5))
-
- ; now see if there are any autosave files
-
- (if (ormap autosave-file? (directory-list))
- (printf "Autosave test failed~n")
- (printf "Autosave test succeeded~n"))
-
- (mred:test:button-push "Cancel")
-
- (mred:set-preference 'mred:autosaving-on? autosave-save)
- (mred:set-preference 'mred:autosave-delay autosave-delay-save))
-
-
-
-
-
-
-
diff --git a/collects/tests/drscheme/pr-17.ss b/collects/tests/drscheme/pr-17.ss
deleted file mode 100644
index 3e79d70d..00000000
--- a/collects/tests/drscheme/pr-17.ss
+++ /dev/null
@@ -1,69 +0,0 @@
-;;; pr-17.ss
-
-;;; Create new frame, check that all buttons and menus exist
-
-;;; Author: Paul Steckler
-
-(load-relative "drscheme-test-util.ss")
-
-(define-macro check-for-button
- (lambda (button s)
- `(unless (ivar drscheme-frame-new ,button)
- (printf "Missing ~a button" ,s))))
-
-(let* ([drscheme-frame (wait-for-drscheme-frame)]
- [drscheme-frame-new 'dummy]
- [menubar (send drscheme-frame get-menu-bar)]
- [menubar-new 'dummy]
- [menus-expected
- (if (eq? wx:platform 'windows)
- '("&File" "&Edit" "&Windows" "&View" "S&cheme" "&Language" "&Help")
- '("File" "Edit" "Windows" "View" "Scheme" "Language" "Help"))]
- [buttons-expected '(check-syntax analyze execute break)]
- [check-menus
- (lambda ()
- (letrec ([loop
- (lambda (lst n)
- (if (null? lst)
- #t
- (let ([expected-item (car lst)]
- [actual-item (send menubar-new get-label-top n)])
- (if (string=? expected-item actual-item)
- (loop (cdr lst) (add1 n))
- (printf "Expected menu ~a but found ~a~n"
- expected-item
- actual-item)))))])
- (loop menus-expected 0)))]
- [button-error
- (lambda (s)
- (printf "Can't find ~a button~n" s))])
-
- ; open new unit window
-
- (mred:test:menu-select "File" "New")
-
- ; get data structures for new window
-
- (set! drscheme-frame-new (wait-for-new-drscheme-frame drscheme-frame))
- (set! menubar-new (send drscheme-frame-new get-menu-bar))
-
- ; compare old and new
-
- (printf "Checking menus ... ")
-
- (check-menus)
-
- (printf "checking buttons ... ")
-
- (check-for-button check-syntax-button "check syntax")
- (check-for-button analyze-button "analyze")
- (check-for-button execute-button "execute")
- (check-for-button stop-execute-button "break")
-
- (printf "done~n")
-
- (mred:test:menu-select "File" "Close"))
-
-
-
-
diff --git a/collects/tests/drscheme/pr-246.ss b/collects/tests/drscheme/pr-246.ss
deleted file mode 100644
index e1b6f17f..00000000
--- a/collects/tests/drscheme/pr-246.ss
+++ /dev/null
@@ -1,47 +0,0 @@
-;;; pr-246.ss
-
-;;; make sure (cons 1 2) is an error in beginner-level Scheme
-
-;;; pr-58.ss
-
-;;; tests check-syntax when given bogus improper list
-;;; tested at each language level
-
-;;; Author: Paul Steckler
-
-(load-relative "drscheme-test-util.ss")
-
-(let* ([drs-frame (wait-for-drscheme-frame)]
- [interactions-edit (ivar drs-frame interactions-edit)]
- [execute-button (ivar drs-frame execute-button)]
- [get-int-pos (lambda () (get-text-pos interactions-edit))]
- [check-execute ; type in term, call execute
- (lambda (str expected)
- (clear-definitions drs-frame)
- (push-button-and-wait execute-button) ; clears out any text in interactions-edit
- (type-in-definitions drs-frame str)
- (let ([answer-begin (get-int-pos)])
- (push-button-and-wait execute-button)
- (let* ([answer-end (- (get-int-pos) 1)]
- [actual (send interactions-edit get-text
- answer-begin answer-end)])
- (unless (string=? actual expected)
- (printf "Expected: ~a~n Actual: ~a~n~n"
- expected actual))
- (let ([frame (mred:test:get-active-frame)])
- (unless (eq? frame drs-frame)
- (error 'check-syntax "Unexpected window ~a" frame))))))])
-
- (printf "Starting test~n")
-
- (set-language-level! "Beginner" drs-frame)
-
- (check-execute "(cons 1 2)"
- "cons: second argument must be of type , given 1 and 2")
-
- ; end pr-246
-
- (printf "Finished test~n"))
-
-
-
diff --git a/collects/tests/drscheme/pr-39.ss b/collects/tests/drscheme/pr-39.ss
deleted file mode 100644
index a4bcb22e..00000000
--- a/collects/tests/drscheme/pr-39.ss
+++ /dev/null
@@ -1,8 +0,0 @@
-;;; pr-39.ss
-
-;;; this generated error before
-
-(require-library "referf.ss")
-
-
-
\ No newline at end of file
diff --git a/collects/tests/drscheme/pr-46.ss b/collects/tests/drscheme/pr-46.ss
deleted file mode 100644
index a9c12924..00000000
--- a/collects/tests/drscheme/pr-46.ss
+++ /dev/null
@@ -1,35 +0,0 @@
-;;; pr-46.ss
-
-;;; tests register-will in the interactions window
-
-(load-relative "drscheme-test-util.ss")
-
-(let* ([drs-frame (wait-for-drscheme-frame)]
- [interactions-edit (ivar drs-frame interactions-edit)]
- [execute-button (ivar drs-frame execute-button)]
- [get-int-pos (lambda () (get-text-pos interactions-edit))]
- [check-execute ; type in term, hit execute
- (lambda (str expected)
- (clear-definitions drs-frame)
- (type-in-definitions drs-frame str)
- (let ([answer-begin (+ (get-int-pos) 3)])
- (push-button-and-wait execute-button)
- (let ([answer-end (- (get-int-pos) 1)])
- (let ([actual (send interactions-edit get-text
- answer-begin answer-end)])
- (unless (string=? actual expected)
- (printf "Expected: ~a~n Actual: ~a~n~n"
- expected actual)))
- (let ([frame (mred:test:get-active-frame)])
- (unless (eq? frame drs-frame)
- (error 'check-syntax "Unexpected window ~a" frame))))))]
- [terms-and-msgs
- '(("(register-will (list 1 2 3) display)" "")
- ("(collect-garbage)" ""))])
-
- (for-each
- (lambda (p) (check-execute (car p) (cadr p)))
- terms-and-msgs))
-
-
-
\ No newline at end of file
diff --git a/collects/tests/drscheme/pr-48.ss b/collects/tests/drscheme/pr-48.ss
deleted file mode 100644
index 32a30a34..00000000
--- a/collects/tests/drscheme/pr-48.ss
+++ /dev/null
@@ -1,383 +0,0 @@
-;;; pr-48.ss
-
-;;; tests font style changes to text after syntax check
-
-;;; Author: Paul Steckler
-
-(require-library "function.ss")
-
-(load-relative "drscheme-test-util.ss")
-
-; a font description is a list
-
-(define make-font-desc
- (lambda (slant weight uline)
- (list slant weight uline)))
-
-(define slant car)
-(define weight cadr)
-(define uline caddr)
-
-; the descriptions for the 5 different syntax items should be
-; distinct from one another
-
-(define normal-font-desc
- (make-font-desc wx:const-normal wx:const-normal #f))
-
-(define syn-font-desc
- (make-font-desc wx:const-normal wx:const-bold #t))
-
-(define prim-font-desc
- (make-font-desc wx:const-slant wx:const-normal #f))
-
-(define const-font-desc
- (make-font-desc wx:const-normal wx:const-bold #f))
-
-(define bound-var-font-desc
- (make-font-desc wx:const-slant wx:const-bold #t))
-
-(define free-var-font-desc
- (make-font-desc wx:const-normal wx:const-normal #t))
-
-; a problem is a syntax string and a list of font descriptions
-; for each character in the string
-
-(define problem
- (lambda (str descs)
- (list str descs)))
-
-(let* ([drs-frame (wait-for-drscheme-frame)]
- [definitions-edit (ivar drs-frame definitions-edit)]
- [get-font-cbs
- (lambda (lst)
- (let ([get-cb-with-label
- (lambda (label)
- (car (memf (lambda (elt)
- (and (is-a? elt mred:check-box%)
- (string=? (send elt get-label) label)))
- lst)))])
- (map get-cb-with-label '("Slant" "Bold" "Underline"))))]
- [set-check-boxes!
- (lambda (cbs desc)
- (mred:test:set-check-box! (slant cbs)
- (if (eq? (slant desc) wx:const-normal)
- #f
- #t))
- (mred:test:set-check-box! (weight cbs)
- (if (eq? (weight desc) wx:const-normal)
- #f
- #t))
- (mred:test:set-check-box! (uline cbs) (uline desc)))]
- [set-syn-check-preferences!
- (lambda ()
- (mred:test:menu-select "Edit" "Preferences...")
- (let* ([frame
- (letrec ([loop
- (lambda ()
- (let ([active (mred:test:get-active-frame)])
- (if (or (eq? active #f)
- (eq? active drs-frame))
- (begin
- (sleep 1/2)
- (loop))
- active)))])
- (loop))]
- [panel (send frame get-top-panel)]
- [children (ivar panel children)]
- [choice-box (car children)]
- [choice-box-event
- (let ([event-obj
- (make-object wx:command-event%
- wx:const-event-type-choice-command)])
- (send event-obj set-event-object choice-box)
- event-obj)])
- (send choice-box-event set-command-int
- (send choice-box find-string "Check Syntax"))
- (send choice-box command choice-box-event)
-
- (let* ([upper-panel (cadr children)]
- [check-syntax-panel (send upper-panel active-child)]
- [check-box-panels (ivar check-syntax-panel children)]
-
- [syntax-panel (car check-box-panels)]
- [syntax-check-boxes (get-font-cbs (ivar syntax-panel children))]
-
- [primitive-panel (cadr check-box-panels)]
- [primitive-check-boxes (get-font-cbs (ivar primitive-panel children))]
-
- [constant-panel (caddr check-box-panels)]
- [constant-check-boxes (get-font-cbs (ivar constant-panel children))]
-
- [bound-var-panel (cadddr check-box-panels)]
- [bound-var-check-boxes (get-font-cbs (ivar bound-var-panel children))]
-
- [free-var-panel (car (cddddr check-box-panels))]
- [free-var-check-boxes (get-font-cbs (ivar free-var-panel children))])
-
- (for-each
-
- (lambda (p)
- (set-check-boxes! (car p) (cadr p)))
-
- (list
- (list syntax-check-boxes syn-font-desc)
- (list primitive-check-boxes prim-font-desc)
- (list constant-check-boxes const-font-desc)
- (list bound-var-check-boxes bound-var-font-desc)
- (list free-var-check-boxes free-var-font-desc)))
-
- (mred:test:button-push "OK"))))]
- [print-desc
- (lambda (d)
- (let ([slant
- (let ([slant-res (slant d)])
- (cond
- [(eq? slant-res wx:const-normal)
- 'normal-slant]
- [(eq? slant-res wx:const-slant)
- 'slant]
- [(eq? slant-res wx:const-italic)
- 'italic]
- [else
- 'unknown]))]
- [weight
- (let ([weight-res (weight d)])
- (cond
- [(eq? weight-res wx:const-normal)
- 'normal-weight]
- [(eq? weight-res wx:const-light)
- 'light]
- [(eq? weight-res wx:const-bold)
- 'bold]
- [else
- 'unknown]))]
- [uline (case (uline d)
- [(#t) 'underline]
- [(#f) 'no-underline]
- [else (number->string (uline d))])])
- (printf "~a/~a/~a~n" slant weight uline)))]
- [check-check-syntax-fonts
- (lambda (problem)
- (letrec*
- ([str (car problem)]
- [font-descs (cadr problem)]
- [loop
- (lambda (n descs)
- (if (null? descs)
- '()
- (let* ([the-snip (send definitions-edit
- find-snip n wx:const-snip-after)]
- [the-style (send the-snip get-style)]
- [the-font (send the-style get-font)]
- [exp-desc (car descs)]
- [actual-desc
- (list (send the-font get-style)
- (send the-font get-weight)
- (send the-font get-underlined))])
- (if (equal? exp-desc actual-desc)
- (loop (add1 n) (cdr descs))
- (begin
- (printf "*** Failed on input ~a ***~n" str)
- (printf "At position ~a:~nExpected style: " n)
- (print-desc exp-desc)
- (printf "Actual style: ")
- (print-desc actual-desc))))))])
- (clear-definitions drs-frame)
- (type-in-definitions drs-frame str)
- (mred:test:button-push (ivar drs-frame check-syntax-button))
- (loop 0 font-descs)))])
-
- ; set syntax-check font preferences in dialog
-
- (set-syn-check-preferences!)
-
- ; now run problems
-
- (wait-for-drscheme-frame)
-
- ; a problem is a pair:
- ; the first element is a piece of syntax to check
- ; the second element is a list of font descriptions,
- ; one for each character in the syntax
-
- (for-each check-check-syntax-fonts
-
- (list
-
- (problem
-
- "(or 1 2 3)"
-
- (list
- normal-font-desc ; (
- syn-font-desc ; o
- syn-font-desc ; r
- normal-font-desc ; _
- const-font-desc ; 1
- normal-font-desc ; _
- const-font-desc ; 2
- normal-font-desc ; _
- const-font-desc ; 3
- normal-font-desc ; )
- ))
-
- (problem
-
- "(and 1 2 3)"
-
- (list
- normal-font-desc ; (
- syn-font-desc ; a
- syn-font-desc ; n
- syn-font-desc ; d
- normal-font-desc ; _
- const-font-desc ; 1
- normal-font-desc ; _
- const-font-desc ; 2
- normal-font-desc ; _
- const-font-desc ; 3
- normal-font-desc ; )
- ))
-
- (problem
-
- "'(a b c)"
-
- (list
- const-font-desc ; '
- const-font-desc ; (
- const-font-desc ; a
- const-font-desc ; _
- const-font-desc ; b
- const-font-desc ; _
- const-font-desc ; c
- const-font-desc ; )
-
- ))
-
- (problem
-
- "(quote x)"
-
- (list
- const-font-desc ; (
- const-font-desc ; q
- const-font-desc ; u
- const-font-desc ; o
- const-font-desc ; t
- const-font-desc ; e
- const-font-desc ; _
- const-font-desc ; x
- const-font-desc ; )
- ))
-
- (problem
-
- "(quasiquote x)"
-
- (list
- const-font-desc ; (
- const-font-desc ; q
- const-font-desc ; u
- const-font-desc ; a
- const-font-desc ; s
- const-font-desc ; i
- const-font-desc ; q
- const-font-desc ; u
- const-font-desc ; o
- const-font-desc ; t
- const-font-desc ; e
- const-font-desc ; _
- const-font-desc ; x
- const-font-desc ; )
- ))
-
- (problem
-
- "#&a"
-
- (list
-
- const-font-desc ; #
- const-font-desc ; &
- const-font-desc ; a
- ))
-
- (problem
-
- "#&\"hi\""
-
- (list
-
- const-font-desc ; #
- const-font-desc ; &
- const-font-desc ; "
- const-font-desc ; h
- const-font-desc ; i
- const-font-desc ; "
- ))
-
- (problem
-
- "#&2"
-
- (list
-
- const-font-desc ; #
- const-font-desc ; &
- const-font-desc ; 2
- ))
-
- (problem
-
- "(define x 3)"
-
- (list
-
- normal-font-desc ; (
- syn-font-desc ; d
- syn-font-desc ; e
- syn-font-desc ; f
- syn-font-desc ; i
- syn-font-desc ; n
- syn-font-desc ; e
- normal-font-desc ; _
- bound-var-font-desc ; x
- normal-font-desc ; _
- const-font-desc ; 3
- normal-font-desc ; )
- ))
-
- (problem
-
- "(local ([define x 3]) x)"
-
- (list
-
- normal-font-desc ; (
- syn-font-desc ; l
- syn-font-desc ; o
- syn-font-desc ; c
- syn-font-desc ; a
- syn-font-desc ; l
- normal-font-desc ;
- normal-font-desc ; (
- normal-font-desc ; [
- syn-font-desc ; d
- syn-font-desc ; e
- syn-font-desc ; f
- syn-font-desc ; i
- syn-font-desc ; n
- syn-font-desc ; e
- normal-font-desc ;
- bound-var-font-desc ; x
- normal-font-desc ;
- const-font-desc ; 3
- normal-font-desc ; ]
- normal-font-desc ; )
- const-font-desc ;
- bound-var-font-desc ; x
- normal-font-desc ; )
- ))
-
- )))
diff --git a/collects/tests/drscheme/pr-51.dir/1.ss b/collects/tests/drscheme/pr-51.dir/1.ss
deleted file mode 100644
index 466ca277..00000000
--- a/collects/tests/drscheme/pr-51.dir/1.ss
+++ /dev/null
@@ -1,3 +0,0 @@
-;;; 1.ss -- needed for pr-51.ss
-
-(load-relative "2.ss")
diff --git a/collects/tests/drscheme/pr-51.dir/2.ss b/collects/tests/drscheme/pr-51.dir/2.ss
deleted file mode 100644
index d573477e..00000000
--- a/collects/tests/drscheme/pr-51.dir/2.ss
+++ /dev/null
@@ -1,3 +0,0 @@
-;;; 2.ss -- needed for pr-51.ss
-
-(printf "This string should print!~n")
diff --git a/collects/tests/drscheme/pr-51.ss b/collects/tests/drscheme/pr-51.ss
deleted file mode 100644
index 87e159f8..00000000
--- a/collects/tests/drscheme/pr-51.ss
+++ /dev/null
@@ -1,5 +0,0 @@
-;;; pr-51.ss
-
-;;; tests printing while loading files in a subdirectory
-
-(require (build-path "pr-51.dir" "1.ss"))
diff --git a/collects/tests/drscheme/pr-58.ss b/collects/tests/drscheme/pr-58.ss
deleted file mode 100644
index f7a314c4..00000000
--- a/collects/tests/drscheme/pr-58.ss
+++ /dev/null
@@ -1,54 +0,0 @@
-;;; pr-58.ss
-
-;;; tests check-syntax when given bogus improper list
-;;; tested at each language level
-
-;;; Author: Paul Steckler
-
-(load-relative "drscheme-test-util.ss")
-
-(let* ([drs-frame (wait-for-drscheme-frame)]
- [interactions-edit (ivar drs-frame interactions-edit)]
- [execute-button (ivar drs-frame execute-button)]
- [get-int-pos (lambda () (get-text-pos interactions-edit))]
- [check-check-syntax ; type in term, call check-syntax
- (lambda (str expected)
- (clear-definitions drs-frame)
- (type-in-definitions drs-frame str)
- (push-button-and-wait execute-button)
- (let ([answer-begin (+ (get-int-pos) 3)])
- (mred:test:button-push (ivar drs-frame check-syntax-button))
- (let* ([answer-end (- (get-int-pos) 1)]
- [actual (send interactions-edit get-text
- answer-begin answer-end)])
- (unless (string=? actual expected)
- (printf "Expected: ~a~n Actual: ~a~n~n"
- expected actual))
- (let ([frame (mred:test:get-active-frame)])
- (unless (eq? frame drs-frame)
- (error 'check-syntax "Unexpected window ~a" frame))))))])
-
- (printf "Starting tests~n")
-
- (set-language-level! "Beginner" drs-frame)
-
- (check-check-syntax "'(a . b)" "improper lists are not allowed")
-
- ; from pr-246
- ; execute says "cons: second argument must be of type , given 1 and 2")
-
- (check-check-syntax "(cons 1 2)" "")
-
- ; end pr-246
-
- (set-language-level! "Intermediate" drs-frame)
- (check-check-syntax "'(a . b)" "improper lists are not allowed")
-
- (set-language-level! "Advanced" drs-frame)
- (check-check-syntax "'(a . b)" "improper lists are not allowed")
-
- (set-language-level! "R4RS+" drs-frame)
- (check-check-syntax "'(a . b)" "")
-
- (printf "Finished tests~n"))
-
diff --git a/collects/tests/drscheme/pr-80.ss b/collects/tests/drscheme/pr-80.ss
deleted file mode 100644
index 444ee040..00000000
--- a/collects/tests/drscheme/pr-80.ss
+++ /dev/null
@@ -1,29 +0,0 @@
-;;; pr-80.ss
-
-;;; Create a frame with buggy callback in the definitions window.
-;;; After invoking the callback, make sure the source text is properly highlighted.
-
-(load-relative "drscheme-test-util.ss")
-
-(letrec* ([_ (wait-for-drscheme-frame)]
- [drscheme-frame (mred:test:get-active-frame)]
- [eq-frame? (lambda () (eq? (mred:test:get-active-frame) drscheme-frame))]
- [interactions-edit (ivar drscheme-frame interactions-edit)]
- [interactions-canvas (ivar drscheme-frame interactions-canvas)]
- [definitions-edit (ivar drscheme-frame definitions-edit)]
- [definitions-canvas (ivar drscheme-frame definitions-canvas)]
- [execute-button (ivar drscheme-frame execute-button)]
- [code "(let* ([frame (make-object mred:frame% null \"MyFrame\" 100 100 200 300)]
- [panel (make-object mred:vertical-panel% frame)]
- [button (make-object mred:button% panel
- (lambda (self event)
- (send frame show #f) (car 4))
- \"Push me\")])
- (send frame show #t))"])
-
- (type-in-definitions drscheme-frame code)
- (push-button-and-wait execute-button)
-
- (printf "Code in callback should be highlighted~n"))
-
-
diff --git a/collects/tests/drscheme/pr-99.ss b/collects/tests/drscheme/pr-99.ss
deleted file mode 100644
index 8637193a..00000000
--- a/collects/tests/drscheme/pr-99.ss
+++ /dev/null
@@ -1,11 +0,0 @@
-;;; pr-99.ss
-
-(define x 5)
-
-(thread-wait (thread (lambda () (set! x (current-parameterization)))))
-
-(if (eq? x (current-parameterization))
- (printf "Test is *not* successful~n")
- (printf "Test is successful~n"))
-
-
\ No newline at end of file
diff --git a/collects/tests/drscheme/repl-test.ss b/collects/tests/drscheme/repl-test.ss
deleted file mode 100644
index b03aa665..00000000
--- a/collects/tests/drscheme/repl-test.ss
+++ /dev/null
@@ -1,510 +0,0 @@
-(define-struct test (program
- r4rs-load-answer prepend-filename? r4rs-execute-answer r4rs-execute-location
- mred-execute-answer mred-load-answer mred-read-test? breaking-test?))
-
-(define test-data
- (list
-
- ;; basic tests
- (make-test "("
- "1.1-1.2: syntax error: missing close paren"
- #t
- "syntax error: missing close paren"
- (vector 0 1)
- "read: expected a ')'; started at position 1 in "
- "read: expected a ')'; started at position 1 in "
- #t
- #f)
- (make-test "."
- "1.1-1.2: syntax error: can't use `.' outside list"
- #t
- "syntax error: can't use `.' outside list"
- (vector 0 1)
- "read: illegal use of \".\" at position 1 in "
- "read: illegal use of \".\" at position 1 in "
- #t
- #f)
- (make-test "(lambda ())"
- "1.1-1.12: lambda: malformed expression"
- #t
- "lambda: malformed expression"
- (vector 0 11)
- "lambda: bad syntax in: (lambda ())"
- "lambda: bad syntax in: (lambda ())"
- #f
- #f)
- (make-test "x"
- "1.1-1.2: reference to undefined identifier: x"
- #t
- "reference to undefined identifier: x"
- (vector 0 1)
- "reference to undefined identifier: x"
- "reference to undefined identifier: x"
- #f
- #f)
- (make-test "(raise 1)"
- "uncaught exception: 1"
- #f
- "uncaught exception: 1"
- #f
- "uncaught exception: 1"
- "uncaught exception: 1"
- #f
- #f)
- (make-test "(raise #f)"
- "uncaught exception: #f"
- #f
- "uncaught exception: #f"
- #f
- "uncaught exception: #f"
- "uncaught exception: #f"
- #f
- #f)
- (make-test "(values 1 2)"
- (format "1~n2")
- #f
- (format "1~n2")
- #f
- (format "1~n2")
- (format "1~n2")
- #f
- #f)
- (make-test "(list 1 2)"
- "(1 2)"
- #f
- "(1 2)"
- #f
- "(1 2)"
- "(1 2)"
- #f
- #f)
-
- ;; eval tests
- (make-test " (eval '(values 1 2))"
- (format "1~n2")
- #f
- (format "1~n2")
- #f
- (format "1~n2")
- (format "1~n2")
- #f
- #f)
- (make-test " (eval '(list 1 2))"
- "(1 2)"
- #f
- "(1 2)"
- #f
- "(1 2)"
- "(1 2)"
- #f
- #f)
- (make-test " (eval '(lambda ()))"
- "1.5-1.24: lambda: malformed expression"
- #t
- "lambda: malformed expression"
- (vector 4 23)
- "lambda: bad syntax in: (lambda ())"
- "lambda: bad syntax in: (lambda ())"
- #f
- #f)
- (make-test " (eval 'x)"
- "1.5-1.14: reference to undefined identifier: x"
- #t
- "reference to undefined identifier: x"
- (vector 4 13)
- "reference to undefined identifier: x"
- "reference to undefined identifier: x"
- #f
- #f)
-
- ;; printer setup test
- (make-test "(car (void))"
- "1.1-1.13: car: expects argument of type ; given #"
- #t
- "car: expects argument of type ; given #"
- (vector 0 12)
- "car: expects argument of type ; given #"
- "car: expects argument of type ; given #"
- #f
- #f)
-
-
- ;; error in the middle
- (make-test "1 2 ( 3 4"
- "1.5-1.6: syntax error: missing close paren"
- #t
- (format "1~n2~nsyntax error: missing close paren")
- (vector 4 5)
- (format "1~n2~nread: expected a ')'; started at position 5 in ")
- (format "read: expected a ')'; started at position 5 in ")
- #t
- #f)
- (make-test "1 2 . 3 4"
- "1.5-1.6: syntax error: can't use `.' outside list"
- #t
- (format "1~n2~nsyntax error: can't use `.' outside list")
- (vector 4 5)
- (format "1~n2~nread: illegal use of \".\" at position 5 in ")
- (format "read: illegal use of \".\" at position 5 in ")
- #t
- #f)
- (make-test "1 2 x 3 4"
- "1.5-1.6: reference to undefined identifier: x"
- #t
- (format "1~n2~nreference to undefined identifier: x")
- (vector 4 5)
- (format "1~n2~nreference to undefined identifier: x")
- (format "reference to undefined identifier: x")
- #f
- #f)
- (make-test "1 2 (raise 1) 3 4"
- "uncaught exception: 1"
- #f
- (format "1~n2~nuncaught exception: 1")
- 'unlocated-error
- (format "1~n2~nuncaught exception: 1")
- (format "uncaught exception: 1")
- #f
- #f)
- (make-test "1 2 (raise #f) 3 4"
- "uncaught exception: #f"
- #f
- (format "1~n2~nuncaught exception: #f")
- 'unlocated-error
- (format "1~n2~nuncaught exception: #f")
- "uncaught exception: #f"
- #f
- #f)
-
- ;; new namespace test
- (make-test (format "(current-namespace (make-namespace))~nif")
- "compile: illegal use of a syntactic form name in: if"
- #f
- "compile: illegal use of a syntactic form name in: if"
- 'unlocated-error
-
- "compile: illegal use of a syntactic form name in: if"
- "compile: illegal use of a syntactic form name in: if"
- #f
- #f)
-
- ;; error escape handler test
- (make-test (format "(let ([old (error-escape-handler)])~n(+ (let/ec k~n(dynamic-wind~n(lambda () (error-escape-handler (lambda () (k 5))))~n(lambda () (car))~n(lambda () (error-escape-handler old))))~n10))")
- (format "5.12-5.17: car: expects 1 argument, given 0~n15")
- #t
- (format "car: expects 1 argument, given 0~n15")
- 'definitions
-
- (format "car: expects 1 argument, given 0~n15")
- (format "car: expects 1 argument, given 0~n15")
- #f
- #f)
-
-
- ;; macro tests
- (make-test "(define-macro m (lambda (x) (+ x 1))) (m 2)"
- "3"
- #f
- "3"
- #f
- "3"
- "3"
- #f
- #f)
- (make-test "(define-macro m (lambda (x) `(+ ,x 1))) (m (+ 1 2))"
- "4"
- #f
- "4"
- #f
- "4"
- "4"
- #f
- #f)
- (make-test "(define-macro m (car))"
- "1.17-1.22: car: expects 1 argument, given 0"
- #t
- "car: expects 1 argument, given 0"
- (vector 16 21)
- "car: expects 1 argument, given 0"
- "car: expects 1 argument, given 0"
- #f
- #f)
- (make-test
- (format "(define-macro m (lambda () (car)))~n(m)")
- "1.28-1.33: car: expects 1 argument, given 0"
- #t
- "car: expects 1 argument, given 0"
- (vector 27 32)
- "car: expects 1 argument, given 0"
- "car: expects 1 argument, given 0"
- #f
- #f)
- (make-test
- (format "(define-macro m (lambda (x) `(+ ,x 1)))~n(m #t)")
- "2.1-2.7: +: expects type as 1st argument, given: #t; other arguments were: 1"
- #t
- "+: expects type as 1st argument, given: #t; other arguments were: 1"
- (vector 40 46)
- "+: expects type as 1st argument, given: #t; other arguments were: 1"
- "+: expects type as 1st argument, given: #t; other arguments were: 1"
- #f
- #f)
- (make-test
- "(define-macro m 1)"
- "1.1-1.19: define-macro: expander is not a procedure"
- #t
- "define-macro: expander is not a procedure"
- (vector 0 18)
- "define-macro: not a procedure"
- "define-macro: not a procedure"
- #f
- #f)
- (make-test
- "(define-macro m (values (let ([x (lambda (x) x)]) x) (let ([y (lambda (x) x)]) y)))"
- "context expected 1 value, received 2 values: # #"
- #f
- "context expected 1 value, received 2 values: # #"
- #f
- "context expected 1 value, received 2 values: # #"
- "context expected 1 value, received 2 values: # #"
- #f
- #f)
-
- (make-test
- (format "(define-macro m (lambda (x) (values x x)))~n(m 1)")
- "context expected 1 value, received 2 values: 1 1"
- #f
- "context expected 1 value, received 2 values: 1 1"
- #f
- "context expected 1 value, received 2 values: 1 1"
- "context expected 1 value, received 2 values: 1 1"
- #f
- #f)
-
- (make-test
- (format "(define s (make-semaphore 0))~n(queue-callback~n(lambda ()~n(dynamic-wind~nvoid~n(lambda () (car))~n(lambda () (semaphore-post s)))))~n(yield s)")
- "6.12-6.17: car: expects 1 argument, given 0"
- #t
- "car: expects 1 argument, given 0"
- (vector 99 104)
- "car: expects 1 argument, given 0"
- "car: expects 1 argument, given 0"
- #f
- #f)
-
- ;; breaking tests
- (make-test "(semaphore-wait (make-semaphore 0))"
- "1.1-1.36: user break"
- #t
- "user break"
- (vector 0 35)
-
- "user break"
- "user break"
- #f
- #t)
-
- (make-test "(let l()(l))"
- "1.9-1.12: user break"
- #t
- "user break"
- (vector 8 11)
-
- "user break"
- "user break"
- #f
- #t)
-
- ;; continuation tests
- (make-test (format "(define k (call/cc (lambda (x) x)))~n(k 17)~nk")
- "17" #f "17" #f
- "17" "17" #f #f)
- (make-test (format "(define v (vector (call/cc (lambda (x) x))))~n((vector-ref v 0) 2)~nv")
- "#1(2)" #f "#1(2)" #f
- "#1(2)" "#1(2)" #f #f)
- (make-test (format "(define v (vector (eval '(call/cc (lambda (x) x)))))~n((vector-ref v 0) 2)~nv")
- "#1(2)" #f "#1(2)" #f
- "#1(2)" "#1(2)" #f #f)
-
- ))
-
-(define drscheme-frame (wait-for-drscheme-frame))
-
-(define interactions-text (ivar drscheme-frame interactions-text))
-(define interactions-canvas (ivar drscheme-frame interactions-canvas))
-(define definitions-text (ivar drscheme-frame definitions-text))
-(define definitions-canvas (ivar drscheme-frame definitions-canvas))
-(define execute-button (ivar drscheme-frame execute-button))
-(define insert-string
- (lambda (string)
- (let loop ([n 0])
- (unless (= n (string-length string))
- (let ([c (string-ref string n)])
- (if (char=? c #\newline)
- (fw:test:keystroke #\return)
- (fw:test:keystroke c)))
- (loop (+ n 1))))))
-
-(define wait-for-execute (lambda () (wait-for-button execute-button)))
-(define get-int-pos (lambda () (get-text-pos interactions-text)))
-
-
-(define tmp-load-filename
- (normalize-path (build-path (current-load-relative-directory) "repl-test-tmp.ss")))
-
-;; given a filename "foo", we perform two operations on the contents
-;; of the file "foo.ss". First, we insert its contents into the REPL
-;; directly, and second, we use the load command. We compare the
-;; the results of these operations against expected results.
-
-(define run-test
- (lambda (execute-text-start escape mred?)
- (lambda (in-vector)
- (let* ([program (test-program in-vector)]
- [pre-answer-load (test-r4rs-load-answer in-vector)]
- [prepend-filename? (test-prepend-filename? in-vector)]
- [answer-load (if prepend-filename?
- (string-append "." tmp-load-filename ": " pre-answer-load)
- pre-answer-load)]
- [answer-execute (test-r4rs-execute-answer in-vector)]
- [execute-location (test-r4rs-execute-location in-vector)]
- [mred-execute-answer (test-mred-execute-answer in-vector)]
- [mred-load-answer (test-mred-load-answer in-vector)]
- [mred-read-test? (test-mred-read-test? in-vector)]
- [breaking-test? (test-breaking-test? in-vector)])
-
- (clear-definitions drscheme-frame)
- ; load contents of test-file into the REPL, recording
- ; the start and end positions of the text
-
- (insert-string program)
- (do-execute drscheme-frame (not breaking-test?))
- (when breaking-test?
- (fw:test:button-push (ivar drscheme-frame stop-execute-button))
- (wait-for-execute))
-
- (let* ([execute-text-end (- (get-int-pos) 1)] ;; subtract one to skip last newline
- [received-execute
- (send interactions-text get-text
- execute-text-start execute-text-end)])
-
- ; check focus and selection for execute test
- (unless mred?
- (cond
- [(eq? execute-location 'definitions)
- (unless (send definitions-canvas has-focus?)
- (printf "FAILED execute test for ~s~n expected definitions to have the focus~n"
- program))]
- [(eq? execute-location 'unlocated-error)
- (unless (send interactions-canvas has-focus?)
- (printf "FAILED execute test for ~s~n expected interactions to have the focus~n"
- program))]
- [(and execute-location (send definitions-canvas has-focus?))
- (let ([error-range (send interactions-text get-error-range)])
- (unless (and error-range
- (= (car error-range) (vector-ref execute-location 0))
- (= (cdr error-range) (vector-ref execute-location 1)))
- (printf "FAILED execute test for ~s~n error-range is ~s~n expected ~a ~a~n"
- program
- error-range
- (vector-ref execute-location 0)
- (vector-ref execute-location 1))))]
- [execute-location
- (printf "FAILED execute test for ~s~n expected definitions canvas to have the focus~n"
- program)]
- [(not (send interactions-canvas has-focus?))
- (printf "FAILED execute test for ~s~n expected interactions to have the focus~n"
- program)]
- [else (void)]))
-
- ; check text for execute test
- (let ([expected
- (if mred?
- (if mred-read-test?
- (string-append mred-execute-answer "USERPORT")
- mred-execute-answer)
- answer-execute)])
- (unless (string=? received-execute expected)
- (printf "FAILED execute test for ~s~n expected: ~s~n got: ~s~n"
- program expected received-execute)))
-
- (fw:test:new-window interactions-canvas)
-
- ; construct the load file
-
- (call-with-output-file tmp-load-filename
- (lambda (port) (display program port))
- 'truncate)
-
- ; stuff the load command into the REPL
-
- (for-each fw:test:keystroke
- (string->list (format "(load ~s)" tmp-load-filename)))
-
- ; record current text position, then stuff a CR into the REPL
-
- (let ([load-text-start (+ 1 (send interactions-text last-position))])
-
- (fw:test:keystroke #\return)
-
- (when breaking-test?
- (fw:test:button-push (ivar drscheme-frame stop-execute-button)))
- (wait-for-execute)
-
- (let* ([load-text-end (- (get-int-pos) 1)] ;; subtract one to eliminate newline
- [received-load
- (send interactions-text get-text
- load-text-start load-text-end)])
-
- ; check load text
- (let ([expected
- (if mred?
- (if mred-read-test?
- (string-append mred-load-answer
- tmp-load-filename)
- mred-load-answer)
- answer-load)])
- (unless (string=? received-load expected)
- (printf "FAILED load test for ~s~n expected: ~s~n got: ~s~n"
- program expected received-load)))
-
- ; check for edit-sequence
- (when (repl-in-edit-sequence?)
- (printf "FAILED: repl in edit-sequence")
- (escape)))))))))
-
-(define (run-test-in-language-level raw?)
- (let ([level (if raw? "Graphical without Debugging (MrEd)" "Graphical (MrEd)")]
- [drs (wait-for-drscheme-frame)])
- (printf "running ~a tests~n" level)
- (set-language-level! level)
- (fw:test:new-window definitions-canvas)
- (clear-definitions drscheme-frame)
- (do-execute drscheme-frame)
- (let/ec escape (for-each (run-test (get-int-pos) escape raw?) test-data))))
-
-(define (kill-tests)
- (let ([drs (wait-for-drscheme-frame)])
- (clear-definitions drs)
- (do-execute drs)
-
- (fw:test:menu-select "Scheme" "Kill")
-
- (let ([win (wait-for-new-frame drs)])
- (fw:test:button-push "Ok")
- (let ([drs2 (wait-for-new-frame win)])
- (unless (eq? drs2 drs)
- (error 'kill-tests "expected original drscheme frame to come back to the front"))))
-
- (type-in-definitions drs "(kill-thread (current-thread))")
- (do-execute drs #f)
-
- (let ([win (wait-for-new-frame drs)])
- (fw:test:button-push "Ok")
- (let ([drs2 (wait-for-new-frame win)])
- (unless (eq? drs2 drs)
- (error 'kill-tests "expected original drscheme frame to come back to the front"))))))
-
-(run-test-in-language-level #t)
-(run-test-in-language-level #f)
-(kill-tests)
diff --git a/collects/tests/drscheme/sample-solutions.ss b/collects/tests/drscheme/sample-solutions.ss
deleted file mode 100644
index 3cab6ac7..00000000
--- a/collects/tests/drscheme/sample-solutions.ss
+++ /dev/null
@@ -1,131 +0,0 @@
-;; memory debugging
-(global-defined-value 'top-level-frames null)
-
-(define sample-solutions-dir
- (build-path (collection-path "mzlib")
- 'up
- 'up
- 'up
- "robby"
- "collects"
- "solutions"))
-(unless (directory-exists? sample-solutions-dir)
- (error 'sample-solutions.ss "expected directory ~s to exist" sample-solutions-dir))
-
-(set! sample-solutions-dir (normalize-path sample-solutions-dir))
-
-;; add the full pathname to the toc entries.
-(define toc
- (map (lambda (x) (cons (build-path sample-solutions-dir (car x)) (cdr x)))
- (call-with-input-file (build-path sample-solutions-dir "toc.ss") read)))
-
-;; close out the first frame to avoid complications
-(let ([orig-drs (wait-for-drscheme-frame)])
- (fw:test:menu-select "File" "New")
- (wait-for-new-frame orig-drs)
- (send orig-drs close))
-
-(define frame-to-close (wait-for-drscheme-frame))
-
-(define (test-single-file toc-entry)
- (let ([filename (car toc-entry)]
- [language (cadr toc-entry)]
- [errors-ok? (caddr toc-entry)]
- [teachpacks (cadddr toc-entry)]
- [old-pref (fw:preferences:get 'framework:file-dialogs)])
- (fw:preferences:set 'framework:file-dialogs 'common)
-
-
- (let* ([drs-frame (wait-for-drscheme-frame)]
- [wait-for-execute
- (lambda ()
- (wait-for-button (ivar drs-frame execute-button)))])
- (fw:test:menu-select "File" "Open...")
- (wait-for-new-frame drs-frame)
- (let ([pathname (find-labelled-window "Full pathname")]
- [dialog (get-top-level-focus-window)])
- (send pathname focus)
- (fw:test:keystroke #\a (case (system-type)
- [(windows) (list 'control)]
- [(macos) (list 'meta)]
- [(unix) (list 'meta)]))
- (let loop ([i 0])
- (when (< i (string-length filename))
- (fw:test:keystroke (string-ref filename i))
- (loop (+ i 1))))
- (fw:test:keystroke #\return)
- (wait-for-new-frame dialog))
- (wait-for-new-frame drs-frame))
-
- (let* ([drs-frame (wait-for-drscheme-frame)]
- [wait-for-execute
- (lambda ()
- (wait-for-button (ivar drs-frame execute-button)))])
-
- (when frame-to-close (send frame-to-close close))
- (set! frame-to-close drs-frame)
-
- ;; memory debugging
- (global-defined-value 'top-level-frames
- (cons
- (make-weak-box drs-frame)
- (global-defined-value 'top-level-frames)))
- (collect-garbage)(collect-garbage)(collect-garbage)(collect-garbage)(collect-garbage)(collect-garbage)
- (send drs-frame update-memory-text)
- ;(dump-memory-stats)
-
- (set-language-level! language)
- (fw:test:menu-select "Language" "Clear All Teachpacks")
- (for-each (lambda (teachpack)
- (let ([filename (normalize-path (apply
- build-path
- (collection-path "mzlib")
- 'up
- 'up
- "teachpack"
- teachpack))])
- (fw:test:menu-select "Language" "Add Teachpack...")
- (let ([dialog (wait-for-new-frame drs-frame)])
- (send (find-labelled-window "Full pathname") focus)
- (fw:test:keystroke #\a (case (system-type)
- [(windows) (list 'control)]
- [(macos) (list 'meta)]
- [(unix) (list 'meta)]))
- (let loop ([i 0])
- (when (< i (string-length filename))
- (fw:test:keystroke (string-ref filename i))
- (loop (+ i 1))))
- (fw:test:keystroke #\return)
- (wait-for-new-frame dialog))))
- teachpacks)
-
- (do-execute drs-frame)
- (wait-for-execute)
-
- (when (and (not errors-ok?)
- (has-error? drs-frame))
- (error 'sample-solutions.ss "should be no errors for ~s" filename))
-
-
- (let ([lines
- (let ([port (open-input-string (fetch-output drs-frame))])
- (let loop ()
- (let ([line (read-line port)])
- (if (eof-object? line)
- null
- (cons line (loop))))))])
- (unless (< (length lines) 3)
- (let loop ([before (car lines)]
- [during (cadr lines)]
- [after (caddr lines)]
- [rest (cdddr lines)])
- (when (string=? during "=")
- (unless (string=? before after)
- (printf "FAILED ~s; expected ~s and ~s to be the same~n"
- filename before after)))
- (unless (null? rest)
- (loop during after (car rest) (cdr rest))))))
-
- (fw:preferences:set 'framework:file-dialogs old-pref))))
-
-(for-each test-single-file toc)
\ No newline at end of file
diff --git a/collects/tests/drscheme/sig.ss b/collects/tests/drscheme/sig.ss
deleted file mode 100644
index 0887ff22..00000000
--- a/collects/tests/drscheme/sig.ss
+++ /dev/null
@@ -1,26 +0,0 @@
-(require-library "function.ss")
-(require-library "file.ss")
-(require-library "guis.ss" "tests" "utils")
-
-(define-signature drscheme:test-util^
- (save-drscheme-window-as
- use-get/put-dialog
- do-execute
- test-util-error
- poll-until
- wait-for-computation
- wait-for-drscheme-frame
- wait-for-new-frame
- clear-definitions
- type-in-definitions
- type-in-interactions
- wait
- wait-pending
- get-sub-panel
- get-text-pos
- wait-for-button
- push-button-and-wait
- set-language-level!
- repl-in-edit-sequence?
- fetch-output
- has-error?))
diff --git a/collects/tests/drscheme/sixlib.ss b/collects/tests/drscheme/sixlib.ss
deleted file mode 100644
index c93554a7..00000000
--- a/collects/tests/drscheme/sixlib.ss
+++ /dev/null
@@ -1,250 +0,0 @@
-;; make sure these load
-(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "graphicss.ss" "graphics")
- (require-library "graphicr.ss" "graphics")
- (require-library "graphicspr.ss" "graphics"))
-
-;; load the graphics
-(require-library "graphics.ss" "graphics")
-(require-library "macro.ss")
-(open-graphics)
-
-(define (struct-test)
- ;; test rgb selectors
- (let* ([fraction 1/5]
- [test
- (list
- (rgb-red (make-rgb fraction 0 0))
- (rgb-green (make-rgb 0 fraction 0))
- (rgb-blue (make-rgb 0 0 fraction)))])
- (unless (equal? (list fraction fraction fraction) test)
- (error 'rgb "wrong: ~s" test)))
-
- ;; test posn selectors
- (let* ([test
- (list
- (posn-x (make-posn 1 0))
- (posn-y (make-posn 0 1)))])
- (unless (equal? (list 1 1) test)
- (error 'posn "wrong: ~s" test))))
-
-;; test basic operations
-(define (basic-test)
- (let ([v (open-viewport "Tester" 200 200)])
- ((draw-string v) (make-posn 0 20) "Reversed X; click to continue")
- ((draw-string v) (make-posn 0 40) "(busy-waiting right now!)")
- ((draw-line v) (make-posn 0 0) (make-posn 100 100))
- ((draw-line v) (make-posn 100 0) (make-posn 0 100))
- ((flip-viewport v))
- (let loop ()
- (unless (ready-mouse-click v)
- (loop)))
-
- ((clear-viewport v))
- ((draw-string v) (make-posn 0 20) "Cleared; click")
- (get-mouse-click v)
-
- (let ([rect-draw
- (lambda (f)
- (f (make-posn 20 20) 60 60))]
- [poly-draw
- (lambda (f)
- (f (list (make-posn 0 0) (make-posn 40 0) (make-posn 20 40)) (make-posn 20 20)))]
- [string-draw
- (lambda (f)
- (f (make-posn 10 20) "XXXXX"))]
- [shape
- (lambda (do-draw draw clear flip name)
- ((clear-viewport v))
- ((draw-string v) (make-posn 0 20) (format "Centered ~s" name))
- (do-draw (draw v))
- (get-mouse-click v)
-
- ((draw-string v) (make-posn 0 40) (format "Erased ~s" name))
- (do-draw (clear v))
- (get-mouse-click v)
-
- ((clear-viewport v))
- ((draw-string v) (make-posn 0 20) (format "Centered ~s" name))
- (do-draw (draw v))
- (get-mouse-click v)
-
- ((draw-string v) (make-posn 0 40) (format "Flipped ~s" name))
- (do-draw (flip v))
- (get-mouse-click v)
-
- ((draw-string v) (make-posn 0 40) (format "Flipped ~s back" name))
- (do-draw (flip v))
- (get-mouse-click v))])
- (shape rect-draw draw-rectangle clear-rectangle flip-rectangle "box")
- (shape rect-draw draw-solid-rectangle clear-solid-rectangle flip-solid-rectangle "solid box")
- (shape rect-draw draw-ellipse clear-ellipse flip-ellipse "circle")
- (shape rect-draw draw-solid-ellipse clear-solid-ellipse flip-solid-ellipse "solid circle")
- (shape poly-draw draw-polygon clear-polygon flip-polygon "polygon")
- (shape poly-draw draw-solid-polygon clear-solid-polygon flip-solid-polygon "solid polygon")
- (shape string-draw
- draw-string
- clear-string
- flip-string
- "string"))
-
- ((clear-viewport v))
- ((draw-string v) (make-posn 0 20) "Done; click")
- (get-mouse-click v)
-
- (close-viewport v)))
-
-;; test get-pixel
-(define (pixel-test)
- (let ([v (open-viewport "test get-pixel" 8 8)]
- [f (lambda (x y)
- (if (= (modulo (+ x y) 2) 0)
- (make-rgb 1 1 1)
- (make-rgb (/ (modulo (+ x y) 3) 2)
- (/ (modulo (+ x y 1) 3) 2)
- (/ (modulo (+ x y 2) 3) 2))))]
-
- [unmarshall-color
- (lambda (c)
- (if (is-a? c color%)
- (list (send c red)
- (send c green)
- (send c blue))
- c))]
-
- [for-each-point
- (lambda (f)
- (let loop ([i 8])
- (unless (= i 0)
- (let loop ([j 8])
- (unless (= j 0)
- (f (- i 1) (- j 1))
- (loop (- j 1))))
- (loop (- i 1)))))])
- (for-each-point
- (lambda (i j)
- ;(printf "(~a, ~a) -> ~a~n" i j (unmarshall-color (f i j)))
- ((draw-pixel v) (make-posn i j) (f i j))))
- ;(get-mouse-click v)
- (for-each-point
- (lambda (i j)
- (let* ([cmp
- (lambda (rgb1 rgb2)
- (and (= (rgb-red rgb1) (rgb-red rgb2))
- (= (rgb-blue rgb1) (rgb-blue rgb2))
- (= (rgb-green rgb1) (rgb-green rgb2))))]
- [color-expected ((test-pixel v) (f i j))]
- [bw-expected (if (cmp (make-rgb 1 1 1) color-expected) 0 1)]
- [color-got ((get-color-pixel v) (make-posn i j))]
- [bw-got ((get-pixel v) (make-posn i j))])
- (unless (= bw-got bw-expected)
- (error 'test-get-pixel "wrong answer for (~a,~a); got ~a expectd ~a"
- i j bw-got bw-expected))
- (unless (cmp color-expected color-got)
- (error 'test-get-color-pixel "wrong answer for (~a,~a); got ~a expected ~a"
- i j
- (unmarshall-color color-got)
- (unmarshall-color color-expected))))))
- (close-viewport v)))
-
-(define (snip-test)
- ;; test snips
- (let ([vp (open-pixmap "snip test" 100 100)])
- ((draw-string vp) (make-posn 20 30) "flipped rect")
- ((flip-solid-rectangle vp) (make-posn 10 10) 80 80)
- (display (viewport->snip vp))))
-
-(define (color-test)
- (let ([v (open-viewport "Color Tester" 100 200)])
- ((draw-solid-rectangle v) (make-posn 10 10) 80 80 (make-rgb 1 0 0))
- ((draw-solid-ellipse v) (make-posn 10 10) 80 80 (make-rgb 0 1 0))
- ((draw-line v) (make-posn 10 10) (make-posn 90 90) (make-rgb 0 0 1))
- ((draw-string v) (make-posn 10 100) "red rectangle")
- ((draw-string v) (make-posn 10 120) "green ellipse")
- ((draw-string v) (make-posn 10 140) "blue line")
- (get-mouse-click v)
-
- ((draw-viewport v) (make-rgb 1 0 0))
- ((draw-string v) (make-posn 10 100) "solid red")
- (get-mouse-click v)
-
- ((draw-viewport v))
- ((clear-string v) (make-posn 10 100) "solid black")
- (get-mouse-click v)
-
- (close-viewport v)))
-
-(define (pixmap-test)
- (local [(define width 500)
- (define height 500)
- (define pixmap-filename (build-path (collection-path "icons") "plt.gif"))
- (define view-port (open-viewport "pixmap tests" width height))
- (define (line)
- ((draw-line view-port) (make-posn 50 50) (make-posn 450 450)))
- (define (next desc)
- ((draw-string view-port) (make-posn 0 (- height 50)) desc)
- ((draw-string view-port) (make-posn 0 (- height 30)) "click to continue")
- (get-mouse-click view-port)
- ((clear-viewport view-port)))]
-
- (line)
- (((draw-pixmap-posn pixmap-filename) view-port) (make-posn 0 0))
- (next "draw line then draw-pixmap-posn")
-
- (line)
- ((draw-pixmap view-port) pixmap-filename (make-posn 0 0))
- (next "pixmap-functions: draw line then draw-pixmap")
-
- (close-viewport view-port)))
-
-(define (copy-viewport-test)
- (let* ([width 100]
- [height 100]
- [vs (open-viewport "viewport source" width height)]
- [vd (open-viewport "viewport dest" width height)])
-
- ((draw-ellipse vs) (make-posn 10 10) 80 80)
- ((draw-string vs) (make-posn 10 30) "Click")
- (get-mouse-click vs)
- (copy-viewport vs vd)
- ((clear-viewport vs))
- ((draw-string vs) (make-posn 10 30) "Cleared")
- (get-mouse-click vd)
- (void)))
-
-(define (keyboard-test)
- (let ([v (open-viewport "keyboard" 300 200)]
- [RED (make-rgb 1 0 0)]
- [BLACK (make-rgb 0 0 0)])
- ((draw-string v) (make-posn 5 15) "Type, end with return (red is from key-ready):")
- (let loop ([x 5])
- (let* ([kv (or (begin
- ((draw-rectangle v) (make-posn 290 0) 10 10 RED)
- (ready-key-press v))
- (begin
- ((draw-rectangle v) (make-posn 290 0) 10 10 BLACK)
- (cons 'slow (get-key-press v))))]
- [k (key-value (if (pair? kv) (cdr kv) kv))])
- ((clear-rectangle v) (make-posn 0 290) 10 10)
- (cond
- [(eq? k #\return) 'done]
- [(char? k) (let ([s (string k)])
- ((draw-string v) (make-posn x 50) s
- (if (pair? kv)
- BLACK
- RED))
- (sleep 0.05) ; slow down so key-ready takes effect
- (loop (+ x (car ((get-string-size v) s)))))]
- [else (loop x)])))
- (close-viewport v)))
-
-(struct-test)
-(basic-test)
-(pixel-test)
-(color-test)
-(snip-test)
-(pixmap-test)
-(copy-viewport-test)
-(keyboard-test)
-
-(close-graphics)
diff --git a/collects/tests/drscheme/syncheck/basic.ss b/collects/tests/drscheme/syncheck/basic.ss
deleted file mode 100644
index 5f49a206..00000000
--- a/collects/tests/drscheme/syncheck/basic.ss
+++ /dev/null
@@ -1,25 +0,0 @@
-
-(define-struct x (a b c))
-
-make-x
-x?
-x-b
-set-x-c!
-
-rumplestilskin
-
-(1 2)
-(letrec () 'constant)
-(letrec-values ([(x y) 'constant]) 'constant)
-(let () 'constant)
-(let-values ([(x y) 'constant]) 'constant)
-(let ([x 1]) x)
-(lambda (x) 'constant)
-(case-lambda [(x . y) x] [(x) x] [y x])
-`(,x) ;; this one won't show the unbound x :(
-(if 1 2 3)
-(set! y 1)
-(define x 2)
-(set! x 1)
-(begin 123 x y)
-(begin0 123 x y)
diff --git a/collects/tests/drscheme/syncheck/circle.ss b/collects/tests/drscheme/syncheck/circle.ss
deleted file mode 100644
index 74ac0aa5..00000000
--- a/collects/tests/drscheme/syncheck/circle.ss
+++ /dev/null
@@ -1,14 +0,0 @@
-(lambda (f)
-
- f f)
-
-(define g 1)
-
- g g g
-
-(define g 1)
-g g
-
-
-
-g g g
\ No newline at end of file
diff --git a/collects/tests/drscheme/syncheck/generate.ss b/collects/tests/drscheme/syncheck/generate.ss
deleted file mode 100644
index 5c287e06..00000000
--- a/collects/tests/drscheme/syncheck/generate.ss
+++ /dev/null
@@ -1,34 +0,0 @@
-#!/bin/sh
-
-string=? ; exec /home/mflatt/plt/bin/mzscheme -qr $0
-
-;; run this to output lots of scheme code to stdout
-;; that code should all pass thru the syntax checker
-
-(require-library "pretty.ss")
-
-(let ([orig-eval (current-eval)]
- [orig-output (current-output-port)]
- [dir (current-directory)])
- (parameterize ([current-eval
- (lambda (x)
- (begin0 (orig-eval x)
- (pretty-print x orig-output)))]
- [current-output-port (make-output-port void void)]
- [current-error-port (make-output-port void void)]
- [error-display-handler void])
- (current-directory "/home/mflatt/proj/mred/mzscheme/tests")
- (load "testing.ss")
-
- (load "basic.ss")
- (load "read.ss")
- (load "syntax.ss")
- (load "file.ss")
- (load "path.ss")
- (load "number.ss")
- (load "object.ss")
- (load "struct.ss")
- (load "unit.ss")
- (load "thread.ss")
- (load "param.ss")
- (current-directory dir)))
diff --git a/collects/tests/drscheme/syncheck/lots.ss b/collects/tests/drscheme/syncheck/lots.ss
deleted file mode 100644
index 891c20fa..00000000
--- a/collects/tests/drscheme/syncheck/lots.ss
+++ /dev/null
@@ -1,14 +0,0 @@
-(define x 1)
-
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
-x x x x x x x x x x x x x x x x x x x x
diff --git a/collects/tests/drscheme/tool.ss b/collects/tests/drscheme/tool.ss
deleted file mode 100644
index b338fc72..00000000
--- a/collects/tests/drscheme/tool.ss
+++ /dev/null
@@ -1,206 +0,0 @@
-;; load this file as a tool to run the test suites
-
-(unit/sig ()
- (import [mred : mred^]
- [core : mzlib:core^]
- [fw : framework^]
- [pc : mzlib:print-convert^]
- (drscheme : drscheme:export^)
- [zodiac : zodiac:system^])
-
- (define test-thread
- (let ([kill-old void])
- (lambda (test thunk)
- (kill-old)
- (let ([thread-desc (thread
- (lambda ()
- (printf "t>> ~a started~n" test)
- (thunk)
- (printf "t>> ~a finished~n" test)))])
- (set! kill-old
- (lambda ()
- (when (thread-running? thread-desc)
- (kill-thread thread-desc)
- (printf "t>> killed ~a~n" test))))))))
-
- (define all-tests (map symbol->string (require-library "README" "tests" "drscheme")))
-
- (define (make-repl)
- (test-thread
- "REPL"
- (lambda ()
- (let ([startup "~/.mzschemerc"])
- (when (file-exists? startup)
- (load startup)))
- (read-eval-print-loop))))
-
- (define (run-test-suite filename)
- (test-thread
- filename
- (lambda ()
- (invoke-unit/sig
- (compound-unit/sig (import [fw : framework^]
- [mred : mred^])
- (link
- [utils : test-utils:gui^ ((require-library "guir.ss" "tests" "utils") mred)]
- [drs-utils : drscheme:test-util^ ((require-library "drscheme-test-util.ss" "tests" "drscheme") mred fw utils)]
- [main : ()
- ((unit/sig ()
- (import [drs-utils : drscheme:test-util^]
- [utils : test-utils:gui^])
-
- (invoke-unit/sig
- (eval
- `(unit/sig ()
- (import [fw : framework^]
- mzlib:function^
- mzlib:file^
- drscheme:test-util^
- test-utils:gui^
- mred^
- [drscheme : drscheme:export^]
- [zodiac : zodiac:system^])
-
- (include ,(build-path (collection-path "tests" "drscheme") filename))))
- (fw : framework^)
- (core:function : mzlib:function^)
- (core:file : mzlib:file^)
- (drs-utils : drscheme:test-util^)
- (utils : test-utils:gui^)
- (mred : mred^)
- (drscheme : drscheme:export^)
- (zodiac : zodiac:system^)))
-
- drs-utils utils)])
- (export))
- (fw : framework^)
- (mred : mred^)))))
-
- (fw:preferences:set-default 'drscheme:test-suite:file-name "repl-tests.ss" string?)
- (fw:preferences:set-default 'drscheme:test-suite:run-interval 10 number?)
-
- (fw:preferences:set-default 'drscheme:test-suite:frame-width #f (lambda (x) (or (not x) (number? x))))
- (fw:preferences:set-default 'drscheme:test-suite:frame-height 300 (lambda (x) (or (not x) (number? x))))
-
- (define current-test-suite-frame #f)
-
- (define (ask-test-suite)
- (if current-test-suite-frame
- (send current-test-suite-frame show #t)
- (let* ([frame% (class mred:frame% ()
- (override
- [on-size
- (lambda (w h)
- (fw:preferences:set 'drscheme:test-suite:frame-width w)
- (fw:preferences:set 'drscheme:test-suite:frame-height h))]
- [on-close
- (lambda ()
- (set! current-test-suite-frame #f))])
- (sequence
- (super-init "Test Suites"
- #f
- (fw:preferences:get 'drscheme:test-suite:frame-width)
- (fw:preferences:get 'drscheme:test-suite:frame-height))))]
- [drscheme-test-dir (collection-path "tests" "drscheme")]
- [frame (make-object frame%)]
- [panel (make-object mred:vertical-panel% frame)]
- [top-panel (make-object mred:vertical-panel% panel)]
- [bottom-panel (make-object mred:horizontal-panel% panel)])
- (send top-panel stretchable-height #f)
- (send (make-object mred:button%
- "REPL"
- bottom-panel
- (lambda (_1 _2)
- (send frame show #f)
- (make-repl)))
- focus)
-
- (when drscheme-test-dir
- (send top-panel stretchable-height #t)
- (send bottom-panel stretchable-height #f)
- (letrec ([lb (make-object mred:list-box%
- #f
- all-tests
- top-panel
- (lambda (b e)
- (when (eq? (send e get-event-type) 'list-box-dclick)
- (run-test-suite-callback))))]
- [run-test-suite-callback
- (lambda ()
- (let ([selection (send lb get-selection)])
- (when selection
- (send frame show #f)
- (let ([test (list-ref all-tests selection)])
- (fw:preferences:set
- 'drscheme:test-suite:file-name
- test)
- (run-test-suite
- test)))))])
-
- ;; set values from preferences
- (let* ([test-suite (fw:preferences:get 'drscheme:test-suite:file-name)]
- [num (send lb find-string test-suite)])
- (when num
- (send lb set-string-selection test-suite)
- (send lb set-first-visible-item num)
- (fw:test:run-interval (fw:preferences:get 'drscheme:test-suite:run-interval))))
-
- (send
- (make-object mred:button%
- "Run Test Suite"
- bottom-panel
- (lambda (_1 _2)
- (run-test-suite-callback)))
- focus))
-
- (let* ([pre-times (list 0 10 50 100 500)]
- [times (if (member (fw:test:run-interval) pre-times)
- pre-times
- (append pre-times (list (fw:test:run-interval))))]
- [choice
- (make-object mred:choice%
- "Run Interval"
- (map number->string times)
- top-panel
- (lambda (choice event)
- (let ([time (list-ref times (send choice get-selection))])
- (fw:preferences:set 'drscheme:test-suite:run-interval time)
- (fw:test:run-interval time))))])
- (send choice set-selection
- (let loop ([l times]
- [n 0])
- (if (= (car l) (fw:test:run-interval))
- n
- (loop (cdr l)
- (+ n 1)))))))
- (make-object mred:button%
- "Cancel"
- bottom-panel
- (lambda (_1 _2)
- (send frame show #f)))
- (send frame show #t)
- (set! current-test-suite-frame frame))))
-
- (drscheme:get/extend:extend-unit-frame
- (lambda (super%)
- (class super% args
- (inherit button-panel)
- (sequence (apply super-init args))
- (private
- [bitmap (make-object mred:bitmap%
- (if (<= (mred:get-display-depth) 1)
- (build-path (collection-path "icons") "bb-sm-bw.bmp")
- (build-path (collection-path "icons") "bb-small.bmp"))
- 'bmp)]
- [button (make-object
- mred:button%
- (if (send bitmap ok?)
- bitmap
- "Console")
- button-panel
- (lambda (button evt)
- (ask-test-suite)))])
- (sequence
- (send button-panel change-children
- (lambda (l)
- (cons button (core:function:remq button l)))))))))
diff --git a/collects/tests/framework/README b/collects/tests/framework/README
deleted file mode 100644
index 076179fa..00000000
--- a/collects/tests/framework/README
+++ /dev/null
@@ -1,116 +0,0 @@
-`(#|
- Framework Test Suite Overview
-
-Each tests will rely on the sucessfully completion of all of the ones
-before it. In addition, all test suites rely on the sucessful
-completion of the engine test suites and the mzscheme test suites.
-
-All of these tests reside in PLTHOME/tests/framework/
-
-There will be a main mzscheme process which will start up a new mred
-as necessary for the test suites. Since some tests actually require
-mred to exit in order to pass, this governor is required.
-
-To run a test use:
-
- framework-test ...
-
-where or is the name of one of the tests
-below. Alternatively, pass no command-line arguments to run the same
-test as last time, or `all' to run all of the tests.
-
-- load: |# load.ss #|
-
- | This tests that the advertised ways of loading the framework at
- | it's components all work.
-
-- exit: |# exit.ss #|
-
- | This tests that exit:exit really exits and that the exit callbacks
- | are actually run.
-
-- preferences: |# prefs.ss #|
-
- | This tests that preferences are saved and restored correctly, both
- | immediately and across reboots of mred.
-
-- individual object tests:
-
- | These tests are simple object creation and basic operations.
- | Each test assumes that the others pass; this may yield strange
- | error messages when one fails.
-
- - frames: |# frame.ss #|
- - canvases: |# canvas.ss #|
- - texts: |# text.ss #|
- - pasteboards: |# pasteboard.ss #|
-
-- basic connections between classes
-
- | These tests will create objects in various configurations and
- | trigger situations to test their functionality.
-
- - edits to canvases: |# edit-canvas.ss #|
- - canvases to frames: |# canvas-frame.ss #|
- - edits to frames: |# edit-frame.ss #|
- - handler |# handler-test.ss #|
-
-- keybindings: |# keys.ss #|
-
- | This tests all of the misc (non-scheme) keybindings
-
-- searching: |# search.ss #|
-
- | This tests the seaching frame.
-
-- info: |# info-frame.ss #|
-
- | This tests the info frame. (ie that toolbar on the bottom of the
- screen)
-
-- group tests: |# group-test.ss #|
-
- | make sure that mred:the-frame-group records frames correctly.
- | fake user input expected.
-
-- parenthesis toolkit: |# paren-test.ss #|
-
- | Test to be sure that parenthesis matching engine works
- | No fake user input expected.
-
-- scheme mode |# scheme.ss #|
-
- | Make sure that Scheme things work in scheme mode.
-
-- saving tests:
-
- | These tests will make sure that the usual checks against a user
- | losing their work are in place.
-
- - autosaving: |# autosave.ss #|
- - closing: |# close.ss #|
- - quitting: |# quit.ss #|
-
-- docs:
-
- | these tests perform santiy checks to ensure that the docs are up to
- | date with the code and the mred web browser isn't horribly broken
-
- - inheritance: inheritance.ss
-
- | make sure that the super-class relationships in the docs match
- | the code.
-
-- interactive tests
-
- | these tests require intervention by people. Clicking and whatnot
-
- - panel:single |# panel.ss #|
-
- - garbage collection: |# mem.ss #|
-
- | These tests will create objects in various configurations and
- | make sure that they are garbage collected
-
-
-|#)
\ No newline at end of file
diff --git a/collects/tests/framework/canvas.ss b/collects/tests/framework/canvas.ss
deleted file mode 100644
index ec167c95..00000000
--- a/collects/tests/framework/canvas.ss
+++ /dev/null
@@ -1,23 +0,0 @@
-(define (test-creation class name)
- (test
- name
- (lambda (x) #t)
- (lambda ()
- (send-sexp-to-mred
- `(let* ([f (make-object frame:basic% "test canvas" #f 300 300)]
- [c (make-object ,class (send f get-area-container))])
- (send c set-editor (make-object text:basic%))
- (send f show #t)))
- (wait-for-frame "test canvas")
- (send-sexp-to-mred
- `(send (get-top-level-focus-window) show #f)))))
-
-(test-creation '(canvas:basic-mixin editor-canvas%)
- 'canvas:basic-mixin-creation)
-(test-creation 'canvas:basic%
- 'canvas:basic%-creation)
-
-(test-creation '(canvas:wide-snip-mixin canvas:basic%)
- 'canvas:wide-snip-mixin-creation)
-(test-creation 'canvas:wide-snip%
- 'canvas:wide-snip%-creation)
diff --git a/collects/tests/framework/exit.ss b/collects/tests/framework/exit.ss
deleted file mode 100644
index 870a5831..00000000
--- a/collects/tests/framework/exit.ss
+++ /dev/null
@@ -1,93 +0,0 @@
-(test 'exit/no-prompt
- (lambda (x)
- (and (eq? x 'passed)
- (not (mred-running?))))
- (lambda ()
- (with-handlers ([eof-result? (lambda (x) 'passed)])
- (send-sexp-to-mred '(preferences:set 'framework:verify-exit #f))
- (send-sexp-to-mred '(begin (exit:exit) (sleep/yield 1)))
- 'failed)))
-
-(test 'exit/prompt
- (lambda (x) (and (eq? x 'passed)
- (not (mred-running?))))
- (lambda ()
- (with-handlers ([eof-result? (lambda (x) 'passed)])
- (send-sexp-to-mred '(begin (preferences:set 'framework:verify-exit #t)
- (test:run-one (lambda () (exit:exit)))))
- (wait-for-frame "Warning")
- (wait-for-new-frame '(test:button-push "Quit"))
- 'failed)))
-
-(test 'exit/prompt/no-twice
- (lambda (x) (and (eq? x 'passed)
- (not (mred-running?))))
- (let ([exit/push-button
- (lambda (button)
- (send-sexp-to-mred '(begin (preferences:set 'framework:verify-exit #t)
- (test:run-one (lambda () (exit:exit)))))
- (wait-for-frame "Warning")
- (wait-for-new-frame `(test:button-push ,button)))])
- (lambda ()
- (exit/push-button "Cancel")
- (exit/push-button "Cancel")
- (with-handlers ([eof-result? (lambda (x) 'passed)])
- (exit/push-button "Quit")
- 'failed))))
-
-(test 'exit/esc-cancel
- (lambda (x) (and (eq? x 'passed)
- (not (mred-running?))))
- (let ([exit/wait-for-warning
- (lambda ()
- (send-sexp-to-mred '(begin (preferences:set 'framework:verify-exit #t)
- (test:run-one (lambda () (exit:exit)))))
- (wait-for-frame "Warning"))])
- (lambda ()
- (exit/wait-for-warning)
- (wait-for-new-frame `(test:close-top-level-window (get-top-level-focus-window)))
- (exit/wait-for-warning)
- (with-handlers ([eof-result? (lambda (x) 'passed)])
- (wait-for-new-frame '(test:button-push "Quit"))
- 'failed))))
-
-(define tmp-file (build-path (find-system-path 'temp-dir) "framework-exit-test-suite"))
-;; need to test "on" callbacks
-(test 'exit-callback-called
- (lambda (x)
- (begin0 (and (file-exists? tmp-file) (not (mred-running?)))
- (when (file-exists? tmp-file) (delete-file tmp-file))))
-
- (lambda ()
- (when (file-exists? tmp-file) (delete-file tmp-file))
- (with-handlers ([eof-result? (lambda (x) 'passed)])
- (send-sexp-to-mred
- `(begin
- (preferences:set 'framework:verify-exit #f)
- (exit:insert-can?-callback (lambda () (call-with-output-file ,tmp-file void) #t))
- (begin (exit:exit) (sleep/yield 1)))))))
-
-(test 'exit-callback-removed
- (lambda (x) (and (eq? x 'passed) (not (mred-running?))))
- (lambda ()
- (with-handlers ([eof-result? (lambda (x) 'passed)])
- (send-sexp-to-mred
- `(begin
- (preferences:set 'framework:verify-exit #f)
- ((exit:insert-can?-callback (lambda () (error 'called-exit-callback))))
- (begin (exit:exit) (sleep/yield 1)))))))
-
-(test 'exit-callback-stops-exit
- (lambda (x) (eq? x 'passed))
- (lambda ()
- (begin0
- (send-sexp-to-mred
- `(begin
- (preferences:set 'framework:verify-exit #f)
- (let ([rm-callback (exit:insert-can?-callback (lambda () #f))])
- (exit:exit)
- (rm-callback)
- 'passed)))
- (with-handlers ([eof-result? (lambda (x) 'passed)])
- (send-sexp-to-mred
- `(exit:exit))))))
diff --git a/collects/tests/framework/frame.ss b/collects/tests/framework/frame.ss
deleted file mode 100644
index cfb4de7f..00000000
--- a/collects/tests/framework/frame.ss
+++ /dev/null
@@ -1,137 +0,0 @@
-(define (test-creation name class-expression)
- (test
- name
- (lambda (x) x)
- (lambda ()
- (send-sexp-to-mred
- `(begin (preferences:set 'framework:exit-when-no-frames #f)
- (send (make-object ,class-expression "test") show #t)))
- (wait-for-frame "test")
- (queue-sexp-to-mred
- '(send (get-top-level-focus-window) close))
- #t)))
-
-(test-creation
- 'basic%-creation
- 'frame:basic%)
-(test-creation
- 'basic-mixin-creation
- '(frame:basic-mixin frame%))
-
-(test-creation
- 'info-mixin-creation
- '(frame:info-mixin frame:basic%))
-(test-creation
- 'info%-creation
- 'frame:info%)
-
-(test-creation
- 'text-info-mixin-creation
- '(frame:text-info-mixin frame:info%))
-(test-creation
- 'text-info%-creation
- 'frame:text-info%)
-
-(test-creation
- 'pasteboard-info-mixin-creation
- '(frame:pasteboard-info-mixin frame:info%))
-(test-creation
- 'pasteboard-info%-creation
- 'frame:pasteboard-info%)
-
-(test-creation
- 'standard-menus%-creation
- 'frame:standard-menus%)
-(test-creation
- 'standard-menus-mixin
- '(frame:standard-menus-mixin frame:basic%))
-
-(test-creation
- 'text%-creation
- 'frame:text%)
-(test-creation
- 'text-mixin-creation
- '(frame:text-mixin frame:editor%))
-(test-creation
- 'text-mixin-creation
- '(frame:text-mixin frame:editor%))
-
-(test-creation
- 'searchable%-creation
- 'frame:searchable%)
-(test-creation
- 'searchable-mixin
- '(frame:searchable-mixin frame:text%))
-
-(test-creation
- 'text-info-file%-creation
- 'frame:text-info-file%)
-(test-creation
- 'text-info-file-mixin-creation
- '(frame:file-mixin frame:text%))
-
-(test-creation
- 'pasteboard-mixin-creation
- '(frame:pasteboard-mixin frame:editor%))
-(test-creation
- 'pasteboard-mixin-creation
- '(frame:pasteboard-mixin (frame:editor-mixin frame:standard-menus%)))
-(test-creation
- 'pasteboard%-creation
- 'frame:pasteboard%)
-
-(test-creation
- 'pasteboard-info-file-mixin-creation
- '(frame:file-mixin frame:pasteboard%))
-(test-creation
- 'pasteboard-info-file%-creation
- 'frame:pasteboard-info-file%)
-
-(define (test-open name class-expression)
- (let* ([test-file-contents "test"]
- [tmp-file-name "framework-tmp"]
- [tmp-file (build-path (collection-path "tests" "framework")
- tmp-file-name)])
- (test
- name
- (lambda (x)
- (delete-file tmp-file)
- (equal? x test-file-contents))
- (lambda ()
- (send-sexp-to-mred
- `(begin
- (preferences:set 'framework:exit-when-no-frames #f)
- (preferences:set 'framework:file-dialogs 'common)
- (send (make-object ,class-expression "test open") show #t)))
- (wait-for-frame "test open")
- (send-sexp-to-mred
- `(test:menu-select "File" "Open..."))
- (wait-for-frame "Get file")
- (call-with-output-file tmp-file
- (lambda (port)
- (display test-file-contents port))
- 'truncate)
- (send-sexp-to-mred
- `(begin (send (find-labelled-window "Full pathname") focus)
- ,(case (system-type)
- [(macos) `(test:keystroke #\a '(meta))]
- [(unix) `(test:keystroke #\a '(meta))]
- [(windows) `(test:keystroke #\a '(control))]
- [else (error "unknown system type: ~a" (system-type))])
- (for-each test:keystroke
- (string->list ,tmp-file))
- (test:keystroke #\return)))
- (wait-for-frame tmp-file-name)
- (begin0
- (send-sexp-to-mred
- `(let* ([w (get-top-level-focus-window)]
- [t (send (send w get-editor) get-text)])
- (test:close-top-level-window w)
- t))
- (wait-for-frame "test open")
- (queue-sexp-to-mred
- `(send (get-top-level-focus-window) close)))))))
-
-(test-open "frame:editor open" 'frame:text%)
-(test-open "frame:searchable open" 'frame:searchable%)
-(test-open "frame:text-info open" 'frame:text-info-file%)
diff --git a/collects/tests/framework/framework-test-engine.ss b/collects/tests/framework/framework-test-engine.ss
deleted file mode 100644
index 83fdd80f..00000000
--- a/collects/tests/framework/framework-test-engine.ss
+++ /dev/null
@@ -1,59 +0,0 @@
-(require-library "errortrace.ss" "errortrace") (error-print-width 80) (error-context-display-depth 3)
-
-(let* ([errs null]
- [sema (make-semaphore 1)]
- [protect
- (lambda (f)
- (semaphore-wait sema)
- (begin0 (f)
- (semaphore-post sema)))])
- (thread
- (let* ([print-convert
- (parameterize ([current-namespace (make-namespace)])
- (require-library "pconvert.ss")
- (global-defined-value 'print-convert))]
- [exception->string
- (lambda (x)
- (if (exn? x)
- (if (defined? 'print-error-trace)
- (let ([p (open-output-string)])
- (print-error-trace p x)
- (string-append (exn-message x) (string #\newline) (get-output-string p)))
- (exn-message x))
- (format "~s" x)))])
- (lambda ()
- (let*-values ([(in out) (tcp-connect "localhost" (load-relative "receive-sexps-port.ss"))]
- [(continue) (make-semaphore 0)])
- (let loop ()
- (let ([sexp (read in)])
- (if (eof-object? sexp)
- (begin
- (close-input-port in)
- (close-output-port out)
- (exit))
- (begin
- (write
- (let ([these-errs (protect (lambda () (begin0 errs (set! errs null))))])
- (if (null? these-errs)
- (with-handlers ([(lambda (x) #t)
- (lambda (x) (list 'error (exception->string x)))])
- (list 'normal (print-convert (eval sexp))))
- (list 'error
- (apply string-append
- (map (lambda (x) (string-append (exception->string x) (string #\newline)))
- these-errs)))))
- out)
- (loop)))))))))
-
- (let ([od (event-dispatch-handler)]
- [port (current-output-port)])
- (event-dispatch-handler
- (lambda (evt)
- (parameterize ([current-exception-handler
- (let ([oe (current-exception-handler)])
- (lambda (exn)
- (protect
- (lambda ()
- (set! errs (cons exn errs))))
- (oe exn)))])
- (od evt))))))
diff --git a/collects/tests/framework/group-test.ss b/collects/tests/framework/group-test.ss
deleted file mode 100644
index 914f67a8..00000000
--- a/collects/tests/framework/group-test.ss
+++ /dev/null
@@ -1,142 +0,0 @@
-(test
- 'exit-off
- (lambda (x) (not (equal? x "test")))
- (lambda ()
- (send-sexp-to-mred
- '(begin (send (make-object frame:basic% "test") show #t)
- (preferences:set 'framework:verify-exit #f)
- (preferences:set 'framework:exit-when-no-frames #f)))
- (wait-for-frame "test")
- (send-sexp-to-mred
- `(begin (send (get-top-level-focus-window) close)
- (let ([f (get-top-level-focus-window)])
- (if f
- (send f get-label)
- #f))))))
-(test
- 'exit-on
- (lambda (x) (not (equal? x "test")))
- (lambda ()
- (send-sexp-to-mred
- '(begin (send (make-object frame:basic% "test") show #t)
- (preferences:set 'framework:verify-exit #t)
- (preferences:set 'framework:exit-when-no-frames #t)))
- (wait-for-frame "test")
- (send-sexp-to-mred
- `(queue-callback (lambda () (send (get-top-level-focus-window) close))))
- (wait-for-frame "Warning")
- (send-sexp-to-mred
- `(test:button-push "Cancel"))
- (wait-for-frame "test")
- (queue-sexp-to-mred
- `(begin (preferences:set 'framework:exit-when-no-frames #f)
- (send (get-top-level-focus-window) close)
- (let ([f (get-top-level-focus-window)])
- (if f
- (send f get-label)
- #f))))))
-
-(test
- 'one-frame-registered
- (lambda (x) (equal? x (list "test")))
- (lambda ()
- (send-sexp-to-mred
- `(send (make-object frame:basic% "test") show #t))
- (wait-for-frame "test")
- (send-sexp-to-mred
- `(begin0
- (map (lambda (x) (send x get-label)) (send (group:get-the-frame-group) get-frames))
- (send (get-top-level-focus-window) close)))))
-
-(test
- 'two-frames-registered
- (lambda (x) (equal? x (list "test2" "test1")))
- (lambda ()
- (send-sexp-to-mred
- '(send (make-object frame:basic% "test1") show #t))
- (wait-for-frame "test1")
- (send-sexp-to-mred
- '(send (make-object frame:basic% "test2") show #t))
- (wait-for-frame "test2")
- (send-sexp-to-mred
- `(begin0
- (let ([frames (send (group:get-the-frame-group) get-frames)])
- (for-each (lambda (x) (send x close)) frames)
- (map (lambda (x) (send x get-label)) frames))))))
-
-(test
- 'one-frame-unregistered
- (lambda (x) (equal? x (list "test1")))
- (lambda ()
- (send-sexp-to-mred
- '(send (make-object frame:basic% "test1") show #t))
- (wait-for-frame "test1")
- (send-sexp-to-mred
- '(send (make-object frame:basic% "test2") show #t))
- (wait-for-frame "test2")
- (queue-sexp-to-mred
- `(send (get-top-level-focus-window) close))
- (send-sexp-to-mred
- `(let ([frames (send (group:get-the-frame-group) get-frames)])
- (for-each (lambda (x) (send x close)) frames)
- (map (lambda (x) (send x get-label)) frames)))))
-
-(test
- 'windows-menu
- (lambda (x)
- (equal? x (list "test")))
- (lambda ()
- (send-sexp-to-mred
- '(let ([frame (make-object frame:basic% "test")])
- (send frame show #t)))
- (wait-for-frame "test")
- (send-sexp-to-mred
- '(begin0
- (map
- (lambda (x) (send x get-label))
- (send (car (send (send (get-top-level-focus-window) get-menu-bar) get-items)) get-items))
- (send (get-top-level-focus-window) close)))))
-
-(test
- 'windows-menu-sorted1
- (lambda (x)
- (equal? x (list "aaa" "bbb")))
- (lambda ()
- (send-sexp-to-mred
- '(let ([frame (make-object frame:basic% "aaa")])
- (send frame show #t)))
- (wait-for-frame "aaa")
- (send-sexp-to-mred
- '(let ([frame (make-object frame:basic% "bbb")])
- (send frame show #t)))
- (wait-for-frame "bbb")
- (send-sexp-to-mred
- `(let ([frames (send (group:get-the-frame-group) get-frames)])
- (begin0
- (map
- (lambda (x) (send x get-label))
- (send (car (send (send (car frames) get-menu-bar) get-items)) get-items))
- (for-each (lambda (x) (send x close)) frames))))))
-
-(test
- 'windows-menu-sorted2
- (lambda (x)
- (equal? x (list "aaa" "bbb")))
- (lambda ()
- (send-sexp-to-mred
- '(let ([frame (make-object frame:basic% "bbb")])
- (send frame show #t)))
- (wait-for-frame "bbb")
- (send-sexp-to-mred
- '(let ([frame (make-object frame:basic% "aaa")])
- (send frame show #t)))
- (wait-for-frame "aaa")
- (send-sexp-to-mred
- `(let ([frames (send (group:get-the-frame-group) get-frames)])
- (begin0
- (map
- (lambda (x) (send x get-label))
- (send (car (send (send (car frames) get-menu-bar) get-items)) get-items))
- (for-each (lambda (x) (send x close)) frames))))))
-
-
diff --git a/collects/tests/framework/handler-test.ss b/collects/tests/framework/handler-test.ss
deleted file mode 100644
index f5b5b534..00000000
--- a/collects/tests/framework/handler-test.ss
+++ /dev/null
@@ -1,42 +0,0 @@
-(let* ([filename "framework-group-test.ss"]
- [tmp-filename (build-path (find-system-path 'temp-dir) filename)])
-
- (test
- 'file-opened
- (lambda (x) (equal? (list filename "MrEd REPL") x))
- (lambda ()
- (send-sexp-to-mred
- `(begin (handler:edit-file ,tmp-filename)
- (void)))
- (wait-for-frame filename)
- (send-sexp-to-mred
- `(begin0 (map (lambda (x) (send x get-label)) (get-top-level-windows))
- (send (car (get-top-level-windows)) close)))))
-
- (test
- 'files-opened-twice
- (lambda (x) (equal? (list filename "MrEd REPL") x))
- (lambda ()
- (send-sexp-to-mred
- `(begin (handler:edit-file ,tmp-filename)
- (void)))
- (wait-for-frame filename)
- (send-sexp-to-mred
- `(begin (handler:edit-file ,tmp-filename)
- (void)))
- (wait-for-frame filename)
- (send-sexp-to-mred
- `(begin0 (map (lambda (x) (send x get-label)) (get-top-level-windows))
- (send (car (get-top-level-windows)) close)))))
-
- (test
- 'file-opened-in-editor
- (lambda (x) (equal? filename x))
- (lambda ()
- (send-sexp-to-mred
- `(begin (handler:edit-file ,tmp-filename)
- (void)))
- (wait-for-frame filename)
- (send-sexp-to-mred
- `(let ([f (car (get-top-level-windows))])
- (send (send f get-editor) get-filename))))))
\ No newline at end of file
diff --git a/collects/tests/framework/info.ss b/collects/tests/framework/info.ss
deleted file mode 100644
index aa2a0f41..00000000
--- a/collects/tests/framework/info.ss
+++ /dev/null
@@ -1,14 +0,0 @@
-(lambda (request response)
- (case request
- [(name) "Framework"]
- [(install-collection)
- (lambda (_)
- (require-library "launcher.ss" "launcher")
- (make-mred-launcher
- (list "-qe-"
- "(require-library \"framework-test-engine.ss\" \"tests\" \"framework\")")
- (mred-program-launcher-path "Framework Test Engine"))
- (make-mzscheme-launcher
- (list "-mqve-" "(require-library \"main.ss\" \"tests\" \"framework\")")
- (mred-program-launcher-path
- "Framework Test")))]))
\ No newline at end of file
diff --git a/collects/tests/framework/key-specs.ss b/collects/tests/framework/key-specs.ss
deleted file mode 100644
index ab643fd5..00000000
--- a/collects/tests/framework/key-specs.ss
+++ /dev/null
@@ -1,29 +0,0 @@
-(define-struct key-spec (before after macos unix windows))
-(define-struct buff-spec (string start end))
-
-(define global-specs
- (list
- (make-key-spec (make-buff-spec "abc" 1 1)
- (make-buff-spec "abc" 2 2)
- (list '(#\f control) '(right))
- (list '(#\f control) '(right))
- (list '(#\f control) '(right)))))
-
-(define scheme-specs
- (list
- (make-key-spec (make-buff-spec "(abc (def))" 4 4)
- (make-buff-spec "(abc (def))" 10 10)
- (list ;'(#\f alt control)
- '(right alt))
- (list ;'(#\f alt control)
- '(right alt))
- (list ;'(#\f alt control)
- '(right alt)))
- (make-key-spec (make-buff-spec "'(abc (def))" 1 1)
- (make-buff-spec "'(abc (def))" 12 12)
- (list ;'(#\f alt control)
- '(right alt))
- (list ;'(#\f alt control)
- '(right alt))
- (list ;'(#\f alt control)
- '(right alt)))))
diff --git a/collects/tests/framework/keys.ss b/collects/tests/framework/keys.ss
deleted file mode 100644
index e207d7d0..00000000
--- a/collects/tests/framework/keys.ss
+++ /dev/null
@@ -1,123 +0,0 @@
-(test
- 'keymap:aug-keymap%/get-table
- (lambda (x)
- (equal? '((c:k "abc")) x))
- (lambda ()
- (send-sexp-to-mred
- '(let ([k (make-object keymap:aug-keymap%)])
- (send k add-function "abc" void)
- (send k map-function "c:k" "abc")
- (hash-table-map (send k get-map-function-table) list)))))
-
-(test
- 'keymap:aug-keymap%/get-table/ht
- (lambda (x)
- (equal? x '((c:k "def"))))
- (lambda ()
- (send-sexp-to-mred
- '(let ([k (make-object keymap:aug-keymap%)]
- [ht (make-hash-table)])
- (send k add-function "abc" void)
- (send k map-function "c:k" "abc")
- (hash-table-put! ht 'c:k "def")
- (hash-table-map (send k get-map-function-table/ht ht) list)))))
-
-(test
- 'keymap:aug-keymap%/get-table/chain1
- (lambda (x)
- (equal? x '((c:k "abc-k2"))))
- (lambda ()
- (send-sexp-to-mred
- '(let ([k (make-object keymap:aug-keymap%)]
- [k1 (make-object keymap:aug-keymap%)]
- [k2 (make-object keymap:aug-keymap%)])
- (send k1 add-function "abc-k1" void)
- (send k1 map-function "c:k" "abc-k1")
- (send k2 add-function "abc-k2" void)
- (send k2 map-function "c:k" "abc-k2")
- (send k chain-to-keymap k1 #t)
- (send k chain-to-keymap k2 #t)
- (hash-table-map (send k get-map-function-table) list)))))
-
-(test
- 'keymap:aug-keymap%/get-table/chain/2
- (lambda (x)
- (equal? x '((c:k "abc-k"))))
- (lambda ()
- (send-sexp-to-mred
- '(let ([k (make-object keymap:aug-keymap%)]
- [k1 (make-object keymap:aug-keymap%)])
- (send k1 add-function "abc-k1" void)
- (send k1 map-function "c:k" "abc-k1")
- (send k add-function "abc-k" void)
- (send k map-function "c:k" "abc-k")
- (send k chain-to-keymap k1 #t)
- (hash-table-map (send k get-map-function-table) list)))))
-
-(define (test-canonicalize name str1 str2)
- (test
- (string->symbol (format "keymap:canonicalize-keybinding-string/~a" name))
- (lambda (x)
- (string=? x str2))
- (lambda ()
- (send-sexp-to-mred
- `(keymap:canonicalize-keybinding-string ,str2)))))
-
-(test-canonicalize 1 "c:a" "c:a")
-(test-canonicalize 2 "d:a" "d:a")
-(test-canonicalize 3 "m:a" "m:a")
-(test-canonicalize 4 "a:a" "a:a")
-(test-canonicalize 5 "s:a" "s:a")
-(test-canonicalize 6 "c:a" "c:a")
-(test-canonicalize 7 "s:m:d:c:a:a" "a:c:d:m:s:a")
-(test-canonicalize 8 "~s:~m:~d:~c:~a:a" "~a:~c:~d:~m:~s:a")
-(test-canonicalize 9 ":a" "~a:~c:~d:~m:~s:a")
-(test-canonicalize 10 ":d:a" "~a:~c:d:~m:~s:a")
-(test-canonicalize 11 "esc;s:a" "esc;s:a")
-(test-canonicalize 12 "s:a;esc" "s:a;esc")
-
-(include "key-specs.ss")
-
-(send-sexp-to-mred `(send (make-object frame:basic% "dummy to trick frame group") show #t))
-(wait-for-frame "dummy to trick frame group")
-
-(define (test-key key-spec)
- (let* ([keys ((case (system-type)
- [(macos) key-spec-macos]
- [(unix) key-spec-unix]
- [(windows) key-spec-windows])
- key-spec)]
- [before (key-spec-before key-spec)]
- [after (key-spec-after key-spec)]
- [process-key
- (lambda (key)
- (let ([text-expect (buff-spec-string after)]
- [start-expect (buff-spec-start after)]
- [end-expect (buff-spec-end after)])
- (test key
- (lambda (x) (equal? x (vector text-expect start-expect end-expect)))
- `(let* ([text (send (get-top-level-focus-window) get-editor)])
- (send text erase)
- (send text insert ,(buff-spec-string before))
- (send text set-position ,(buff-spec-start before) ,(buff-spec-end before))
- (test:keystroke ',(car key) ',(cdr key))
- (vector (send text get-text)
- (send text get-start-position)
- (send text get-end-position))))))])
- (for-each process-key keys)))
-
-(define (test-specs frame-name frame-class specs)
- (send-sexp-to-mred `(send (make-object ,frame-class ,frame-name) show #t))
- (wait-for-frame frame-name)
- (for-each test-key specs)
- (send-sexp-to-mred `(send (get-top-level-focus-window) close)))
-
-(test-specs "global keybingings test" 'frame:text% global-specs)
-(test-specs "scheme mode keybindings test"
- '(class frame:editor% (name)
- (override
- [get-editor%
- (lambda ()
- (scheme:text-mixin text:basic%))])
- (sequence (super-init name)))
- scheme-specs)
diff --git a/collects/tests/framework/load.ss b/collects/tests/framework/load.ss
deleted file mode 100644
index 57fff0b3..00000000
--- a/collects/tests/framework/load.ss
+++ /dev/null
@@ -1,142 +0,0 @@
-(let ([pred (lambda (x) (void? x))]
- [old-load-framework-automatically? (load-framework-automatically)])
-
- (load-framework-automatically #f)
-
- (test
- 'guiutilss.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "guiutilss.ss" "framework")
- (global-defined-value 'framework:gui-utils^)
- (void)))
-
- (test
- 'guiutils.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "guiutils.ss" "framework")
- (global-defined-value 'gui-utils:read-snips/chars-from-text)
- (void)))
-
- (test
- 'guiutilsr.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "guiutilss.ss" "framework")
- (eval
- '(invoke-unit/sig
- (compound-unit/sig
- (import)
- (link [m : mred^ (mred@)]
- [g : framework:gui-utils^ ((require-library "guiutilsr.ss" "framework") m)])
- (export))))
- (void)))
-
-
- (test
- 'macro.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "macro.ss" "framework")
- (global-defined-value 'mixin)
- (void)))
- (test
- 'tests.ss
- (lambda (x) x)
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "tests.ss" "framework")
- (unit/sig? (require-library "keys.ss" "framework"))))
- (test
- 'testr.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "tests.ss" "framework")
- (eval
- '(define-values/invoke-unit/sig
- ((unit test : framework:test^))
- (compound-unit/sig
- (import)
- (link [mred : mred^ (mred@)]
- [keys : framework:keys^ ((require-library "keys.ss" "framework"))]
- [test : framework:test^ ((require-library "testr.ss" "framework") mred keys)])
- (export (unit test)))))
- (global-defined-value 'test:run-one)
- (global-defined-value 'test:button-push)
- (void)))
- (test
- 'test.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "test.ss" "framework")
- (global-defined-value 'test:run-one)
- (global-defined-value 'test:button-push)
- (void)))
-
- (test
- 'frameworkp.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "frameworks.ss" "framework")
- (require-library "file.ss")
- (eval
- '(define-values/invoke-unit/sig
- framework^
- (compound-unit/sig
- (import)
- (link [mred : mred^ (mred@)]
- [core : mzlib:core^ ((require-library "corer.ss"))]
- [pf : framework:prefs-file^
- ((let ([tf (make-temporary-file)])
- (unit/sig framework:prefs-file^ (import)
- (define preferences-filename tf))))]
- [framework : framework^ ((require-library "frameworkp.ss" "framework")
- core mred pf)])
- (export (open framework)))))
- (global-defined-value 'preferences:get)
- (void)))
-
- (test
- 'frameworkr.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "frameworks.ss" "framework")
- (eval
- '(define-values/invoke-unit/sig
- framework^
- (compound-unit/sig
- (import)
- (link [mred : mred^ (mred@)]
- [core : mzlib:core^ ((require-library "corer.ss"))]
- [framework : framework^ ((require-library "frameworkr.ss" "framework") core mred)])
- (export (open framework)))))
- (global-defined-value 'test:run-one)
- (global-defined-value 'test:button-push)
- (global-defined-value 'frame:basic-mixin)
- (global-defined-value 'editor:basic-mixin)
- (global-defined-value 'exit:exit)
- (void)))
- (test
- 'framework.ss
- pred
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "framework.ss" "framework")
- (global-defined-value 'test:run-one)
- (global-defined-value 'test:button-push)
- (global-defined-value 'frame:basic-mixin)
- (global-defined-value 'editor:basic-mixin)
- (global-defined-value 'exit:exit)
- (void)))
- (test
- 'framework.ss/gen
- (lambda (x) x)
- '(parameterize ([current-namespace (make-namespace 'mred)])
- (require-library "pretty.ss")
- (let* ([op ((global-defined-value 'pretty-print-print-line))]
- [np (lambda x (apply op x))])
- ((global-defined-value 'pretty-print-print-line) np)
- (require-library "framework.ss" "framework")
- (eq? np ((global-defined-value 'pretty-print-print-line))))))
-
- (load-framework-automatically old-load-framework-automatically?))
-
diff --git a/collects/tests/framework/main.ss b/collects/tests/framework/main.ss
deleted file mode 100644
index a50e3c6d..00000000
--- a/collects/tests/framework/main.ss
+++ /dev/null
@@ -1,370 +0,0 @@
-(require-library "launchers.ss" "launcher")
-(require-library "cores.ss")
-(require-library "cmdlines.ss")
-(require-library "macro.ss")
-(require-library "function.ss")
-
-(unless (file-exists? (build-path (current-load-relative-directory) "receive-sexps-port.ss"))
- (call-with-output-file (build-path (current-load-relative-directory) "receive-sexps-port.ss")
- (lambda (port)
- (write 6012 port))))
-
-(define-signature TestSuite^
- ((struct eof-result ())
- load-framework-automatically
- shutdown-listener shutdown-mred mred-running?
- send-sexp-to-mred queue-sexp-to-mred
- test
- wait-for-frame
-
- ;; sexp -> void
- ;; grabs the frontmost window, executes the sexp and waits for a new frontmost window
- wait-for-new-frame
-
- wait-for))
-
-(define-signature internal-TestSuite^
- ((open TestSuite^)
- test-name
- failed-tests))
-
-(define-signature Engine^
- (only-these-tests
- section-name
- section-jump))
-
-(require-library "guis.ss" "tests" "utils")
-
-(define TestSuite
- (unit/sig internal-TestSuite^
- (import (program)
- Engine^
- launcher-maker^
- mzlib:pretty-print^
- mzlib:function^)
-
- (define test-name "<>")
- (define failed-tests null)
-
- (define-struct eof-result ())
-
- (define load-framework-automatically? #t)
-
- (define listener
- (let loop ()
- (let ([port (load-relative "receive-sexps-port.ss")])
- (with-handlers ([(lambda (x) #t)
- (lambda (x)
- (let ([next (+ port 1)])
- (call-with-output-file (build-path (current-load-relative-directory)
- "receive-sexps-port.ss")
- (lambda (p)
- (write next p))
- 'truncate)
- (printf " tcp-listen failed for port ~a, attempting ~a~n"
- port next)
- (loop)))])
- (tcp-listen port)))))
-
- (define in-port #f)
- (define out-port #f)
-
- (define restart-mred
- (lambda ()
- (shutdown-mred)
- (let-values ([(base _1 _2) (split-path program)])
- ((case (system-type)
- [(macos) system*]
- [else (lambda (x) (thread (lambda () (system* x))))])
- (mred-program-launcher-path "Framework Test Engine")))
- (let-values ([(in out) (tcp-accept listener)])
- (set! in-port in)
- (set! out-port out))
- (when load-framework-automatically?
- (queue-sexp-to-mred
- `(begin
- (require-library "framework.ss" "framework")
- (require-library "gui.ss" "tests" "utils")
- (test:run-interval 0))))))
-
- (define load-framework-automatically
- (case-lambda
- [(new-load-framework-automatically?)
- (unless (eq? (not (not new-load-framework-automatically?))
- load-framework-automatically?)
- (set! load-framework-automatically? (not (not new-load-framework-automatically?)))
- (shutdown-mred))]
- [() load-framework-automatically?]))
-
- (define shutdown-listener
- (lambda ()
- (shutdown-mred)
- (tcp-close listener)))
-
- (define shutdown-mred
- (lambda ()
- (when (and in-port
- out-port)
- (close-output-port out-port)
- (close-input-port in-port)
- (set! in-port #f)
- (set! in-port #f))))
-
- (define mred-running?
- (lambda ()
- (if (char-ready? in-port)
- (not (eof-object? (peek-char in-port)))
- #t)))
-
- (define queue-sexp-to-mred
- (lambda (sexp)
- (send-sexp-to-mred
- `(let ([thunk (lambda () ,sexp)]
- [sema (make-semaphore 0)])
- (queue-callback (lambda ()
- (thunk)
- (semaphore-post sema)))
- (semaphore-wait sema)))))
-
- (define send-sexp-to-mred
- (lambda (sexp)
- (let ([show-text
- (lambda (sexp)
-
- (parameterize ([pretty-print-print-line
- (let ([prompt " "]
- [old-liner (pretty-print-print-line)])
- (lambda (ln port ol cols)
- (let ([ov (old-liner ln port ol cols)])
- (if ln
- (begin (display prompt port)
- (+ (string-length prompt) ov))
- ov))))])
- (pretty-print sexp)
- (newline)))])
- (unless (and in-port
- out-port
- (or (not (char-ready? in-port))
- (not (eof-object? (peek-char in-port)))))
- (restart-mred))
- (printf " ~a // ~a: sending to mred:~n" section-name test-name)
- (show-text sexp)
- (write sexp out-port)
- (newline out-port)
- (let ([answer
- (with-handlers ([(lambda (x) #t)
- (lambda (x)
- (list 'cant-read
- (string-append
- (exn-message x)
- "; rest of string: "
- (format
- "~s"
- (apply
- string
- (let loop ()
- (if (char-ready? in-port)
- (let ([char (read-char in-port)])
- (if (eof-object? char)
- null
- (cons char (loop))))
- null)))))))])
- (read in-port))])
- (unless (or (eof-object? answer)
- (and (list? answer)
- (= 2 (length answer))))
- (error 'send-sexp-to-mred "unpected result from mred: ~s~n" answer))
-
- (if (eof-object? answer)
- (raise (make-eof-result))
- (case (car answer)
- [(error)
- (error 'send-sexp-to-mred "mred raised \"~a\"" (second answer))]
- [(cant-read) (error 'mred/cant-parse (second answer))]
- [(normal)
- (printf " ~a // ~a: received from mred:~n" section-name test-name)
- (show-text (second answer))
- (eval (second answer))]))))))
-
-
- (define test
- (case-lambda
- [(in-test-name passed? sexp/proc) (test in-test-name passed? sexp/proc 'section)]
- [(in-test-name passed? sexp/proc jump)
- (fluid-let ([test-name in-test-name])
- (when (or (not only-these-tests)
- (memq test-name only-these-tests))
- (let ([failed
- (with-handlers ([(lambda (x) #t)
- (lambda (x)
- (if (exn? x)
- (exn-message x)
- x))])
- (let ([result
- (if (procedure? sexp/proc)
- (sexp/proc)
- (begin0 (send-sexp-to-mred sexp/proc)
- (send-sexp-to-mred ''check-for-errors)))])
- (not (passed? result))))])
- (when failed
- (printf "FAILED ~a: ~a~n" failed test-name)
- (set! failed-tests (cons (cons section-name test-name) failed-tests))
- (case jump
- [(section) (section-jump)]
- [(continue) (void)]
- [else (jump)])))))]))
-
- (define (wait-for/wrapper wrapper sexp)
- (let ([timeout 10]
- [pause-time 1/2])
- (send-sexp-to-mred
- (wrapper
- `(let ([test (lambda () ,sexp)])
- (let loop ([n ,(/ timeout pause-time)])
- (if (zero? n)
- (error 'wait-for
- ,(format "after ~a seconds, ~s didn't come true" timeout sexp))
- (unless (test)
- (sleep ,pause-time)
- (loop (- n 1))))))))))
-
- (define (wait-for sexp) (wait-for/wrapper (lambda (x) x) sexp))
-
- (define (wait-for-new-frame sexp)
- (wait-for/wrapper
- (lambda (w)
- `(let ([frame (get-top-level-focus-window)])
- ,sexp
- ,w))
- `(not (eq? frame (get-top-level-focus-window)))))
-
- (define (wait-for-frame name)
- (wait-for `(let ([win (get-top-level-focus-window)])
- (and win
- (string=? (send win get-label) ,name)))))))
-
-(define Engine
- (unit/sig Engine^
- (import (argv)
- internal-TestSuite^
- mzlib:command-line^
- mzlib:function^
- mzlib:file^
- mzlib:string^
- mzlib:pretty-print^)
-
- (define section-jump void)
- (define section-name "<>")
- (define only-these-tests #f)
-
- (define preferences-file (build-path (find-system-path 'pref-dir)
- (case (system-type)
- [(macos) "MrEd Preferences"]
- [(windows) "mred.pre"]
- [(unix) ".mred.prefs"])))
- (define old-preferences-file (let-values ([(base name _2) (split-path preferences-file)])
- (build-path base (string-append name ".save"))))
-
-
- (with-handlers ([(lambda (x) #f)
- (lambda (x) (display (exn-message x)) (newline))])
- (let* ([all-files (map symbol->string (load-relative "README"))]
- [all? #f]
- [files-to-process null]
- [command-line-flags
- `((once-each
- [("-a" "--all")
- ,(lambda (flag)
- (set! all? #t))
- ("Run all of the tests")])
- (multi
- [("-o" "--only")
- ,(lambda (flag _only-these-tests)
- (set! only-these-tests (cons (string->symbol _only-these-tests)
- (or only-these-tests null))))
- ("Only run test named " "test-name")]))])
-
- (let* ([saved-command-line-file (build-path (collection-path "tests" "framework") "saved-command-line.ss")]
- [parsed-argv (if (equal? argv (vector))
- (if (file-exists? saved-command-line-file)
- (begin
- (let ([result (call-with-input-file saved-command-line-file read)])
- (printf "reusing command-line arguments: ~s~n" result)
- result))
- (vector))
- argv)])
- (parse-command-line "framework-test" parsed-argv command-line-flags
- (lambda (collected . files)
- (set! files-to-process (if (or all? (null? files)) all-files files)))
- `("Names of the tests; defaults to all tests"))
- (call-with-output-file saved-command-line-file
- (lambda (port)
- (write parsed-argv port))
- 'truncate))
-
-
- (when (file-exists? preferences-file)
- (printf " saving preferences file ~s to ~s~n" preferences-file old-preferences-file)
- (if (file-exists? old-preferences-file)
- (printf " backup preferences file exists, using that one~n")
- (begin (copy-file preferences-file old-preferences-file)
- (printf " saved preferences file~n"))))
-
- (for-each (lambda (x)
- (when (member x all-files)
- (shutdown-mred)
- (let/ec k
- (fluid-let ([section-name x]
- [section-jump k])
- (with-handlers ([(lambda (x) #t)
- (lambda (exn)
- (printf "~a~n" (if (exn? exn) (exn-message exn) exn)))])
- (printf "beginning ~a test suite~n" x)
-
- (invoke-unit/sig
- (eval
- `(unit/sig ()
- (import TestSuite^
- mzlib:function^
- mzlib:file^
- mzlib:string^
- mzlib:pretty-print^)
- (include ,x)))
- TestSuite^
- mzlib:function^
- mzlib:file^
- mzlib:string^
- mzlib:pretty-print^)
- (printf "PASSED ~a test suite~n" x))))))
- files-to-process)))
-
- (printf " restoring preferences file ~s to ~s~n" old-preferences-file preferences-file)
- (when (file-exists? preferences-file)
- (unless (file-exists? old-preferences-file)
- (error 'framework-test "lost preferences file backup!"))
- (delete-file preferences-file)
- (copy-file old-preferences-file preferences-file)
- (delete-file old-preferences-file))
- (printf " restored preferences file~n")
-
- (shutdown-listener)
-
- (unless (null? failed-tests)
- (printf "FAILED tests:~n")
- (for-each (lambda (failed-test)
- (printf " ~a // ~a~n" (car failed-test) (cdr failed-test)))
- failed-tests))))
-
-(invoke-unit/sig
- (compound-unit/sig
- (import (P : (program))
- (A : (argv)))
- (link
- [core : mzlib:core^ ((require-library "corer.ss"))]
- [launcher : launcher-maker^ ((require-library "launcherr.ss" "launcher") (core file))]
- [M : mzlib:command-line^ ((require-library "cmdliner.ss"))]
- [T : internal-TestSuite^ (TestSuite P E launcher (core pretty-print) (core function))]
- [E : Engine^ (Engine A T M (core function) (core file) (core string) (core pretty-print))])
- (export))
- (program)
- (argv))
diff --git a/collects/tests/framework/mem.ss b/collects/tests/framework/mem.ss
deleted file mode 100644
index a2fa9cb7..00000000
--- a/collects/tests/framework/mem.ss
+++ /dev/null
@@ -1,108 +0,0 @@
-;; (list-of (list string (list-of (weak-box TST))))
-(send-sexp-to-mred '(define mem-boxes null))
-
-(define mem-count 10)
-
-(define (test-allocate tag open close)
- (send-sexp-to-mred
- `(let ([new-boxes
- (let loop ([n ,mem-count])
- (cond
- [(zero? n) null]
- [else
- (let* ([o (,open)]
- [b (make-weak-box o)])
- (,close o)
- (cons b (loop (- n 1))))]))])
- (collect-garbage)
- (set! mem-boxes (cons (list ,tag new-boxes) mem-boxes)))))
-
-(define (done)
- (send-sexp-to-mred
- `(begin
- (collect-garbage)
- (collect-garbage)
- (collect-garbage)
- (collect-garbage)
- (let ([f (make-object dialog% "Results")]
- [anything? #f])
- (for-each
- (lambda (boxl)
- (let* ([tag (first boxl)]
- [boxes (second boxl)]
- [calc-results
- (lambda ()
- (foldl (lambda (b n) (if (weak-box-value b) (+ n 1) n))
- 0
- boxes))])
- (when (> (calc-results) 0)
- (collect-garbage)
- (collect-garbage)
- (collect-garbage)
- (collect-garbage)
- (collect-garbage)
- (collect-garbage))
- (let ([res (calc-results)])
- (when (> res 0)
- (set! anything? #t)
- (make-object message% (format "~a: ~a of ~a~n" tag res ,mem-count) f)))))
- (reverse mem-boxes))
- (cond
- [anything? (make-object button% "Close" f (lambda x (send f show #f)))]
- [else (make-object button% "NOTHING!" f (lambda x (send f show #f)))])
- (send f show #t)))))
-
-(define (test-frame-allocate name %)
- (send-sexp-to-mred '(preferences:set 'framework:exit-when-no-frames #f))
- (test-allocate name
- `(lambda () (let ([f (make-object ,% ,name)])
- (send f show #t)
- f))
- `(lambda (f) (send f close)))
- (send-sexp-to-mred '(preferences:set 'framework:exit-when-no-frames #t)))
-
-(test-allocate "frame%"
- '(lambda () (let ([f (make-object frame% "test frame")])
- (send f show #t)
- f))
- '(lambda (f) (send f show #f)))
-
-
-(define (test-editor-allocate object-name)
- (test-allocate (symbol->string object-name)
- `(lambda () (make-object ,object-name))
- '(lambda (e) (send e on-close))))
-
-(test-editor-allocate 'text:basic%)
-(test-editor-allocate 'text:keymap%)
-(test-editor-allocate 'text:autowrap%)
-(test-editor-allocate 'text:file%)
-(test-editor-allocate 'text:clever-file-format%)
-(test-editor-allocate 'text:backup-autosave%)
-(test-editor-allocate 'text:searching%)
-(test-editor-allocate 'text:info%)
-
-(test-editor-allocate 'pasteboard:basic%)
-(test-editor-allocate 'pasteboard:keymap%)
-(test-editor-allocate 'pasteboard:file%)
-(test-editor-allocate 'pasteboard:backup-autosave%)
-(test-editor-allocate 'pasteboard:info%)
-
-(test-editor-allocate 'scheme:text%)
-
-(test-allocate "text:return%"
- '(lambda () (make-object text:return% void))
- '(lambda (t) (void)))
-
-
-(test-frame-allocate "frame:basic%" 'frame:basic%)
-(test-frame-allocate "frame:standard-menus%" 'frame:standard-menus%)
-(test-frame-allocate "frame:text%" 'frame:text%)
-(test-frame-allocate "frame:searchable%" 'frame:searchable%)
-(test-frame-allocate "frame:text-info%" 'frame:text-info%)
-(test-frame-allocate "frame:text-info-file%" 'frame:text-info-file%)
-(test-frame-allocate "frame:pasteboard%" 'frame:pasteboard%)
-(test-frame-allocate "frame:pasteboard-info%" 'frame:pasteboard-info%)
-(test-frame-allocate "frame:pasteboard-info-file%" 'frame:pasteboard-info-file%)
-(done)
-
diff --git a/collects/tests/framework/panel.ss b/collects/tests/framework/panel.ss
deleted file mode 100644
index 3079a341..00000000
--- a/collects/tests/framework/panel.ss
+++ /dev/null
@@ -1,130 +0,0 @@
-(test
- 'single-panel
- (lambda (x) (eq? x 'passed))
- `(let* ([semaphore (make-semaphore 0)]
- [semaphore-frame%
- (class frame% args
- (override
- [on-close (lambda () (semaphore-post semaphore))])
- (sequence
- (apply super-init args)))]
- [f (make-object semaphore-frame% "Single Panel Test")]
- [blue-brush (send the-brush-list find-or-create-brush "BLUE" 'solid)]
- [green-brush (send the-brush-list find-or-create-brush "FOREST GREEN" 'solid)]
- [black-pen (send the-pen-list find-or-create-pen "BLACK" 1 'solid)]
- [grid-canvas%
- (class canvas% (lines parent label stretchable-width? stretchable-height?)
- (inherit get-dc get-client-size)
- (override
- [on-paint
- (lambda ()
- (let-values ([(width height) (get-client-size)])
- (let ([dc (get-dc)]
- [single-width (/ width lines)]
- [single-height (/ height lines)])
- (send dc set-pen black-pen)
- (let loop ([i lines])
- (cond
- [(zero? i) (void)]
- [else
- (let loop ([j lines])
- (cond
- [(zero? j) (void)]
- [else
- (send dc set-brush
- (if (= 0 (modulo (+ i j) 2))
- blue-brush green-brush))
- (send dc draw-rectangle
- (* single-width (- i 1))
- (* single-height (- j 1))
- single-width
- single-height)
- (loop (- j 1))]))
- (loop (- i 1))])))))])
- (inherit set-label min-width min-height stretchable-height stretchable-width)
- (sequence
- (super-init parent)
- (stretchable-width stretchable-width?)
- (stretchable-height stretchable-height?)
- (min-width 50)
- (min-height 50)
- (set-label label)))]
-
- [border-panel (make-object horizontal-panel% f '(border))]
- [single-panel (make-object panel:single% border-panel)]
- [children (list (make-object grid-canvas% 3 single-panel "Small" #f #f)
- (make-object grid-canvas% 3 single-panel "Wide" #f #t)
- (make-object grid-canvas% 3 single-panel "Tall" #t #f)
- (make-object grid-canvas% 3 single-panel "Wide and Tall" #t #t))]
- [active-child (car children)]
- [radios (make-object horizontal-panel% f)]
- [make-radio
- (lambda (label choices callback)
- (let* ([panel (make-object vertical-panel% radios '(border))]
- [message (make-object message% label panel)]
- [radio (make-object radio-box% #f choices panel (lambda (radio _) (callback radio)))]
- [button (make-object button%
- "Cycle" panel
- (lambda (_1 _2)
- (let ([before (send radio get-selection)]
- [tot (send radio get-number)])
- (let loop ([n tot])
- (unless (zero? n)
- (send radio set-selection (- tot n))
- (callback radio)
- (sleep/yield 1)
- (loop (- n 1))))
- (send radio set-selection before)
- (callback radio))))])
- radio))]
- [radio
- (make-radio
- "Active Child"
- (map (lambda (x) (send x get-label)) children)
- (lambda (radio)
- (let loop ([n (length children)]
- [cs children])
- (cond
- [(null? cs) (void)]
- [else (let ([c (car cs)])
- (if (string=? (send radio get-item-label (send radio get-selection))
- (send c get-label))
- (begin (set! active-child c)
- (send single-panel active-child active-child))
- (loop (- n 1)
- (cdr cs))))]))))]
- [vertical-alignment 'center]
- [horizontal-alignment 'center]
- [update-alignment (lambda ()
- (send single-panel set-alignment horizontal-alignment vertical-alignment))]
- [horiz
- (make-radio
- "Horizontal Alignment"
- (list "left" "center" "right")
- (lambda (radio)
- (set! horizontal-alignment (string->symbol (send radio get-item-label (send radio get-selection))))
- (update-alignment)))]
- [vert
- (make-radio
- "Vertical Alignment"
- (list "top" "center" "bottom")
- (lambda (radio)
- (set! vertical-alignment (string->symbol (send radio get-item-label (send radio get-selection))))
- (update-alignment)))]
- [buttons (make-object horizontal-panel% f)]
- [result 'failed]
- [failed (make-object button% "Failed" buttons (lambda (_1 _2) (semaphore-post semaphore)))]
- [passed (make-object button% "Passed" buttons (lambda (_1 _2)
- (set! result 'passed)
- (semaphore-post semaphore)))])
- (send border-panel min-width 100)
- (send border-panel min-height 100)
- (send vert set-selection 1)
- (send horiz set-selection 1)
- (send buttons stretchable-height #f)
- (send buttons set-alignment 'right 'center)
- (send radios stretchable-height #f)
- (send f show #t)
- (yield semaphore)
- (send f show #f)
- result))
diff --git a/collects/tests/framework/paren-test.ss b/collects/tests/framework/paren-test.ss
deleted file mode 100644
index 62c4b91e..00000000
--- a/collects/tests/framework/paren-test.ss
+++ /dev/null
@@ -1,139 +0,0 @@
-(define balanced-tests
- `(("()" 0 2)
- ("(a)" 0 3)
- ("(a a)" 0 5)
- ("(())" 0 4)
- ("(())" 1 3)
- ("([])" 1 3)
- ("([])" 0 4)
- ("{[]}" 1 3)
- ("{[]}" 0 4)
- ("abc" 0 3)
- ("(abc (abc))" 0 11)
- ("(abc (abc))" 5 10)))
-
-(define unbalanced-tests
- `(("()" #t (1) (1))
- ("(()" #f (0 2) (1 2))
- ("(a()" #f (0) (1 3))
- (")" #f (0 1) (0 1))
- ("())" #f (1 2) (1 3))
- ("() a)" #f (1 4) (1 5))))
-
-(define (run-unbalanced-test test-data)
- (let ([expression (first test-data)]
- [balanced? (second test-data)]
- [forward-starts (third test-data)]
- [backward-starts (fourth test-data)])
- (test
- (string->symbol (format "unbalanced-paren-~a" expression))
- (lambda (x) (not (ormap (lambda (x) x) x)))
- `(let ([t (make-object text%)])
- (send t insert ,expression)
- (append
- (list (not (eq? ,balanced? (scheme-paren:balanced? t 0 (send t last-position)))))
- (map (lambda (n) (scheme-paren:forward-match t n (send t last-position))) ',forward-starts)
- (map (lambda (n) (scheme-paren:backward-match t n 0)) ',backward-starts))))))
-
-(define (run-balanced-test test-data)
- (let ([expression (first test-data)]
- [start (second test-data)]
- [end (third test-data)])
- (test
- (string->symbol (format "balanced-paren-~a/~a/~a" expression start end))
- (lambda (x) (equal? x (list start end #t)))
- `(let ([t (make-object text%)])
- (send t insert ,expression)
- (list (scheme-paren:backward-match t ,end 0)
- (scheme-paren:forward-match t ,start (send t last-position))
- (scheme-paren:balanced? t 0 (send t last-position)))))))
-
-(define (run-scheme-unbalanced-test test-data)
- (let ([expression (first test-data)]
- [balanced? (second test-data)]
- [forward-starts (third test-data)]
- [backward-starts (fourth test-data)])
- (test
- (string->symbol (format "scheme-unbalanced-paren-~a" expression))
- (lambda (x) (not (ormap (lambda (x) x) x)))
- `(let* ([t (make-object scheme:text%)]
- [setup-text
- (lambda ()
- (send t erase)
- (send t insert ,(string-append " " expression)))]
- [insert-first
- (lambda ()
- (send t insert " " 0 0))]
- [delete-first
- (lambda ()
- (send t delete 0 1))])
- (append
- (map
- (lambda (n)
- (setup-text)
- (send t get-backward-sexp (+ n 1))
- (delete-first)
- (send t get-backward-sexp n))
- ',backward-starts)
- (map
- (lambda (n)
- (setup-text)
- (send t get-backward-sexp (+ n 1))
- (insert-first)
- (send t get-backward-sexp (+ n 2)))
- ',backward-starts)
- (map
- (lambda (n)
- (setup-text)
- (send t get-forward-sexp (+ n 1))
- (delete-first)
- (send t get-forward-sexp n))
- ',forward-starts)
- (map
- (lambda (n)
- (setup-text)
- (send t get-forward-sexp (+ n 1))
- (insert-first)
- (send t get-forward-sexp (+ n 2)))
- ',forward-starts))))))
-
-(define (run-scheme-balanced-test test-data)
- (let* ([expression (first test-data)]
- [start (second test-data)]
- [end (third test-data)]
- [answers (list start (+ start 2) end (+ end 2))])
- (test
- (string->symbol (format "balanced-paren-~a/~a" expression answers))
- (lambda (x) (equal? x answers))
- `(let* ([t (make-object scheme:text%)]
- [setup-text
- (lambda ()
- (send t erase)
- (send t insert ,(string-append " " expression)))]
- [insert-first
- (lambda ()
- (send t insert " " 0 0))]
- [delete-first
- (lambda ()
- (send t delete 0 1))])
- (list (begin (setup-text)
- (send t get-backward-sexp ,(+ end 1))
- (delete-first)
- (send t get-backward-sexp ,end))
- (begin (setup-text)
- (send t get-backward-sexp ,(+ end 1))
- (insert-first)
- (send t get-backward-sexp ,(+ end 2)))
- (begin (setup-text)
- (send t get-forward-sexp ,(+ start 1))
- (delete-first)
- (send t get-forward-sexp ,start))
- (begin (setup-text)
- (send t get-forward-sexp ,(+ start 1))
- (insert-first)
- (send t get-forward-sexp ,(+ start 2))))))))
-
-(for-each run-unbalanced-test unbalanced-tests)
-(for-each run-scheme-unbalanced-test unbalanced-tests)
-(for-each run-balanced-test balanced-tests)
-(for-each run-scheme-balanced-test balanced-tests)
diff --git a/collects/tests/framework/pasteboard.ss b/collects/tests/framework/pasteboard.ss
deleted file mode 100644
index 2aceee62..00000000
--- a/collects/tests/framework/pasteboard.ss
+++ /dev/null
@@ -1,45 +0,0 @@
-(define (test-creation frame class name)
- (test
- name
- (lambda (x) #t)
- (lambda ()
- (send-sexp-to-mred
- `(let* ([% (class-asi ,frame
- (override
- [get-editor%
- (lambda ()
- ,class)]))]
- [f (make-object % "test pasteboard")])
- (preferences:set 'framework:exit-when-no-frames #f)
- (send f show #t)))
- (wait-for-frame "test pasteboard")
- (queue-sexp-to-mred
- `(send (get-top-level-focus-window) close)))))
-
-(test-creation 'frame:editor%
- '(editor:basic-mixin pasteboard%)
- 'editor:basic-mixin-creation)
-(test-creation 'frame:editor%
- 'pasteboard:basic%
- 'pasteboard:basic-creation)
-
-(test-creation 'frame:editor%
- '(editor:file-mixin pasteboard:keymap%)
- 'editor:file-mixin-creation)
-(test-creation 'frame:editor%
- 'pasteboard:file%
- 'pasteboard:file-creation)
-
-(test-creation 'frame:editor%
- '(editor:backup-autosave-mixin pasteboard:file%)
- 'editor:backup-autosave-mixin-creation)
-(test-creation 'frame:editor%
- 'pasteboard:backup-autosave%
- 'pasteboard:backup-autosave-creation)
-
-(test-creation 'frame:pasteboard-info%
- '(editor:info-mixin pasteboard:backup-autosave%)
- 'editor:info-mixin-creation)
-(test-creation 'frame:pasteboard-info%
- 'pasteboard:info%
- 'pasteboard:info-creation)
diff --git a/collects/tests/framework/prefs.ss b/collects/tests/framework/prefs.ss
deleted file mode 100644
index cb780807..00000000
--- a/collects/tests/framework/prefs.ss
+++ /dev/null
@@ -1,55 +0,0 @@
-(local [(define pref-file (build-path (find-system-path 'pref-dir)
- (case (system-type)
- [(macos) "MrEd Preferences"]
- [(windows) "mred.pre"]
- [(unix) ".mred.prefs"]
- [else (error 'prefs.ss "unknown os: ~a~n" (system-type))])))
- (define old-prefs (if (file-exists? pref-file)
- (call-with-input-file pref-file read)
- null))
- (define (check-eq? s) (lambda (t) (eq? s t)))
- (define pref-sym 'framework:test-suite)]
-
- (call-with-output-file pref-file
- (lambda (port) (write (filter (lambda (x) (not (eq? (car x) pref-sym)))
- old-prefs)
- port))
- 'truncate)
- (shutdown-mred)
-
- (test
- 'preference-unbound
- (check-eq? 'passed)
- `(with-handlers ([exn:unknown-preference?
- (lambda (x)
- 'passed)])
- (preferences:get ',pref-sym)))
- (test 'preference-set-default/get
- (check-eq? 'passed)
- `(begin (preferences:set-default ',pref-sym 'passed symbol?)
- (preferences:get ',pref-sym)))
- (test 'preference-set/get
- (check-eq? 'new-pref)
- `(begin (preferences:set ',pref-sym 'new-pref)
- (preferences:get ',pref-sym)))
- (with-handlers ([eof-result? (lambda (x) (void))])
- (send-sexp-to-mred '(begin (preferences:set 'framework:verify-exit #f) (exit:exit))))
-
- (test 'preference-get-after-restart
- (check-eq? 'new-pref)
- `(begin (preferences:set-default ',pref-sym 'passed symbol?)
- (preferences:get ',pref-sym))))
-
-
-(test 'dialog-appears
- (lambda (x) (eq? 'passed x))
- (lambda ()
- (send-sexp-to-mred '(preferences:show-dialog))
- (wait-for-frame "Preferences")
- (send-sexp-to-mred '(begin (preferences:hide-dialog)
- (let ([f (get-top-level-focus-window)])
- (if f
- (if (string=? "Preferences" (send f get-label))
- 'failed
- 'passed)
- 'passed))))))
diff --git a/collects/tests/framework/scheme.ss b/collects/tests/framework/scheme.ss
deleted file mode 100644
index e69de29b..00000000
diff --git a/collects/tests/framework/send-sexp.ss b/collects/tests/framework/send-sexp.ss
deleted file mode 100644
index ec88275f..00000000
--- a/collects/tests/framework/send-sexp.ss
+++ /dev/null
@@ -1,11 +0,0 @@
-(define send-sexp
- (lambda (sexp)
- (let-values ([(in out) (tcp-connect "localhost" (require-library "receive-sexps-port.ss" "tests" "framework"))])
- (write sexp out)
- (newline out)
- (let ([result (read in)])
- (close-input-port in)
- (close-output-port out)
- (case (car result)
- [(error) (error 'send-sexp (cadr result))]
- [(normal) (cadr result)])))))
diff --git a/collects/tests/framework/text.ss b/collects/tests/framework/text.ss
deleted file mode 100644
index 2936213d..00000000
--- a/collects/tests/framework/text.ss
+++ /dev/null
@@ -1,70 +0,0 @@
-(define (test-creation frame% class name)
- (test
- name
- (lambda (x) #t)
- (lambda ()
- (send-sexp-to-mred
- `(let* ([% (class-asi ,frame%
- (override
- [get-editor% (lambda () ,class)]))]
- [f (make-object % "test text")])
- (preferences:set 'framework:exit-when-no-frames #f)
- (send f show #t)))
- (wait-for-frame "test text")
- (send-sexp-to-mred `(test:keystroke #\a))
- (wait-for `(string=? "a" (send (send (get-top-level-focus-window) get-editor) get-text)))
- (send-sexp-to-mred
- `(begin (send (send (get-top-level-focus-window) get-editor) lock #t)
- (send (send (get-top-level-focus-window) get-editor) lock #f)))
- (queue-sexp-to-mred
- `(send (get-top-level-focus-window) close)))))
-
-
-(test-creation 'frame:text%
- '(text:basic-mixin (editor:basic-mixin text%))
- 'text:basic-mixin-creation)
-(test-creation 'frame:text%
- 'text:basic%
- 'text:basic-creation)
-
-(define (return-args class)
- `(class ,class ()
- (sequence
- (super-init void))))
-(test-creation 'frame:text%
- (return-args '(text:return-mixin text:basic%))
- 'text:return-mixin-creation)
-(test-creation 'frame:text%
- (return-args 'text:return%)
- 'text:return-creation)
-
-(test-creation 'frame:text%
- '(editor:file-mixin text:keymap%)
- 'editor:file-mixin-creation)
-(test-creation 'frame:text%
- 'text:file%
- 'text:file-creation)
-(test-creation 'frame:text%
- '(text:clever-file-format-mixin text:file%)
- 'text:clever-file-format-mixin-creation)
-(test-creation 'frame:text%
- 'text:clever-file-format%
- 'text:clever-file-format-creation)
-(test-creation 'frame:text%
- '(editor:backup-autosave-mixin text:clever-file-format%)
- 'editor:backup-autosave-mixin-creation)
-(test-creation 'frame:text%
- 'text:backup-autosave%
- 'text:backup-autosave-creation)
-(test-creation 'frame:text%
- '(text:searching-mixin text:backup-autosave%)
- 'text:searching-mixin-creation)
-(test-creation 'frame:text%
- 'text:searching%
- 'text:searching-creation)
-(test-creation '(frame:searchable-mixin frame:text%)
- '(text:info-mixin (editor:info-mixin text:searching%))
- 'text:info-mixin-creation)
-(test-creation '(frame:searchable-mixin frame:text%)
- 'text:info%
- 'text:info-creation)
\ No newline at end of file
diff --git a/collects/tests/framework/utils.ss b/collects/tests/framework/utils.ss
deleted file mode 100644
index 3776c311..00000000
--- a/collects/tests/framework/utils.ss
+++ /dev/null
@@ -1,13 +0,0 @@
-(define (wait-for-frame name)
- (let ([timeout 10]
- [pause-time 1/2])
- (send-sexp-to-mred
- `(let loop ([n ,(/ timeout pause-time)])
- (if (zero? n)
- (error 'wait-for-mred-frame
- ,(format "after ~a seconds, frame labelled ~s didn't appear" timeout name))
- (let ([win (get-top-level-focus-window)])
- (printf "win: ~a label ~a~n" win (and win (string=? (send win get-label) ,name)))
- (unless (and win (string=? (send win get-label) ,name))
- (sleep ,pause-time)
- (loop (- n 1)))))))))
diff --git a/collects/tests/info.ss b/collects/tests/info.ss
deleted file mode 100644
index 717693fe..00000000
--- a/collects/tests/info.ss
+++ /dev/null
@@ -1,13 +0,0 @@
-(let ([sub-collections (list "framework")])
- (lambda (request result)
- (case request
- [(name) "Test Suites"]
- [(install-collection)
- (lambda (arg)
- (error-print-width 500)
- (for-each (lambda (sub-collection)
- (let ([sub-info (build-path (collection-path "tests" sub-collection) "info.ss")])
- (when (file-exists? sub-info)
- (((load-relative sub-info) 'install-collection void) arg))))
- sub-collections))]
- [else (result)])))
diff --git a/collects/tests/mred/README b/collects/tests/mred/README
deleted file mode 100644
index 6ce7f292..00000000
--- a/collects/tests/mred/README
+++ /dev/null
@@ -1,87 +0,0 @@
-
-The "item.ss" test (use load/cd) creates a frame to select among
-several types of control-testing frames. Click the `Get Instructions'
-button in the top-left for more information.
-
----------------------------------------------------------------------------
-
-The "draw.ss" test (use load/cd) tests drawing commands. Click the
-"What Should I See?" button for further details.
-
----------------------------------------------------------------------------
-
-The "mem.ss" test is loaded at startup:
- mred -r mem.ss
-Creates a lot of frames and instance of other objects, reporting
-memory information along the way. At the end, before the last memory
-dump, objects that are still allocated are displayed like this:
- (frame (1 . 5))
-This means that the frame allocated by thread #1 at cycle 5
-(counting down from some number) hasn't been garbage-collected.
-If there's a few of these lines (around 10), that's ok.
-A large number of lines (say, 50) indicates a GC problem.
-
----------------------------------------------------------------------------
-
-[Out of date:]
-The "random.ss" test is a randomized test of the MrEd classes that tests
-MrEd's stability. Load "random.ss", and then run
- (init)
-This attempts to create instances of classes using random
-intialization arguments. (init) can be run any number of times.
-(2 is a good number) Then run
- (call-all-random)
-This calls every method of every class (skipping some "dangerous" ones
-that modify the file system) with a random instance and with random
-arguments.
-
-To avoid testing much of the wxMedia toolbox, which is likely to be
-platform-independent, (define skip-media? #t) before loading
-"random.ss".
-
-
-==================================================
-Old Stuff
-==================================================
-
----------------------------------------------------------------------------
-
-The "imred.ss" test is used to check for memory leaks in a loop
-invoking the mred system. Call the `go' procedure with a list
-of symbol flags:
- 'force not included:
- Use the current eventspaces; expects mred:run-exit-callbacks
- to terminate everything properly
- 'force included:
- Use a new eventspace; don't run mred:run-exit-callbacks and
- call wx:kill-eventspace instead.
- 'console included:
- Open a MrEd console
- 'thread included:
- Spawn a sleeping-and-looping thread during each invocation.
- Also tests semaphore-callback (because it has to)
- 'eventspace included:
- Create a new sub-eventspace during each invocation with
- a wx:frame% shown
-
----------------------------------------------------------------------------
-
-"startup" tests the startup flags of mred. run "run.ss" from that directory.
-
----------------------------------------------------------------------------
-
-"frame-edit.ss" checks that various frames match with various
-edits. Under construction.
-
----------------------------------------------------------------------------
-
-"gui.ss" tests:
- - save prompting (before closing unsaved files) and
- - autosaving
-
-evaluate `(load "gui.ss")' in the console to run.
-
-It also overwrites the file "tmp.ss" in the testing directory.
-
----------------------------------------------------------------------------
-
diff --git a/collects/tests/mred/auto.ss b/collects/tests/mred/auto.ss
deleted file mode 100644
index 993e13bf..00000000
--- a/collects/tests/mred/auto.ss
+++ /dev/null
@@ -1,4 +0,0 @@
-
-(load-relative "editor.ss")
-(load-relative "paramz.ss")
-(load-relative "windowing.ss")
diff --git a/collects/tests/mred/button-steps.txt b/collects/tests/mred/button-steps.txt
deleted file mode 100644
index e2e233ac..00000000
--- a/collects/tests/mred/button-steps.txt
+++ /dev/null
@@ -1,11 +0,0 @@
-Click the "Hit Me" button. "Callback Ok" should appear in the console.
-
-Click "Check". "All Ok" should appear in the console.
-
-Repeat the above two steps.
-
-Click "Disable Test" and quickly click "Hit Me". The button should
- become disabled for a second, then become re-enabled, but the
- click on "Hit Me" should not invoke the callback.
-
-Repeat the first two steps above.
diff --git a/collects/tests/mred/canvas-steps.txt b/collects/tests/mred/canvas-steps.txt
deleted file mode 100644
index d22562ff..00000000
--- a/collects/tests/mred/canvas-steps.txt
+++ /dev/null
@@ -1,175 +0,0 @@
-
-Overview
---------
-
-This canvas test frame is for checking the behvaiour of the
-scrollbars. Canvas scrollbars work in one of two modes:
- 1) Managing: the scrollbar determines the size and offset of
- the canvas's drawing area.
- 2) Non-managing: the scrollbars are simply placed next to the
- canvas; the canvas's size and offset are not affected by
- the scrollbar values.
-In the test frame, the top canvas is initially unmanaged, and the
-bottom is managed.
-
-An HVCanvas has both horizontal and vertical scrollbars, but the
-scrollbars are initially disabled. Clikcing the "Enable Vertical"
-checkbox enables the vertical scroll. A VCanvas has only a vertical
-scrollbar; clicking "ENable Horizontal" in this case has no effect.
-When a canvas is managed by its scrollbars and a scrollbar is missing
-in a particular direction, it should act the same as an unmanaged
-canvas in that direction.
-
-On each canvas, the following are painted at 0,0:
- * The name of the canvas
- * Three values per scroll bar, for UNMANAGED canvases:
- - The current value of the scroll
- - The maximum value of the scroll
- - The page step of the scroll
- These should all be 0 for MANAGED canvases and for
- disabled directions
- * Two size measurements:
- - The client size of the canvas
- - The drawing area of the canvas
- These should be the same for UNMANAGED canvases/directions
- * Two lines showing what each `virtual boundary' of the canvas would
- be if it is managed and the scrollbar is enabled. (Initially, the
- bottom canvas's boundaries are probably beyond the visible region.)
- When the canvas is managed with a vertical scrollbar, the bottom
- boundary line might not be visible, i.e., it might be clipped - but
- it must be clipped eactly in that case.
-
-As the scroll is changed for the managed canvas, the information will
-move, because the scrolls automatically adjust the offset of the
-canvas. For the unmanaged canvas, the information is always visible in
-the same place; it is just updated.
-
-The top's scrollbars have a range of 10 and a page step of 3. The
-bottom's scrollbars have a range of 20 and a page step of 3 (although
-the page step is sometimes ignored for a managed canvas). In managed
-mode:
-
- * In the bottom canvas, one vertical scroll step is mapped to 10
- pixels and one horizontal step to 25 pixels, making the virtual
- area 200 pixels high and 500 pixels wide.
-
- When the "Small" checkbox is checked, the range is changed to 2
- instead of 20, making the virtual size 20 high by 50 wide.
-
- * In the bottom canvas, one vertical or horizontal scroll step is
- mapped to 1 pixel, making the virtual area 10x10.
-
-Initially, the top canvas is unmanaged and the bottom is managed.
-Checking the "swap" checkbox makes the top canvas unmanaged and the
-bottom canvas managed.
-
-The steps below assume an HVCanvas. Don't resize the window before
-starting the steps.
-
-HVCanvas Steps
---------------
-
-Enable vertical scroll. The scroll should be at position 1 for both
- canvases. The bottom canvas should be scrolled up 10 pixels. The
- displayed info should change:
- -------------------------------------------
- | Unmanaged Scroll |
- | V: p: 1 r: 10 g: 3 H: 0 0 0 |
- | Client: x Virtual: x | ; for some and
- -------------------------------------------
- | Automanaged Scroll | ; <- actually, scrolled up
- | V: p: 0 r: 0 g: 0 H: 0 0 0 | ; all zero for managed
- | Client: x Virtual: x 200 | ; within 1 of
- -------------------------------------------
- (You might not be able to read 200 in the lower right.)
- Make the window slightly wider. Make sure the gets bigger to
- reflect the new width of the canvases.
-
-Set the bottom canvas's vertical scroll to 0. The "Automanaged Scroll"
- should scroll back down into the original location.
-
-Scroll the bottom canvas's vertical scroll to its maximum value (which
- is less than 10) You may see the bottom border close to the bottom
- edge of the canvas.
-
-Adjust the top canvas's scroll, and watch the `p' value change each
- time. The maximum value is 10. Use the `page up/down' areas and make
- sure the `p' value changes by 3.
-
-Turn off the vertical scroll. The bottom canvas's image should snap
- back to its original place. All the `V:' values in the top should
- return to zeros.
-
-Perform the above steps for horizontal scrolling.
-
-Turn on both vertical and horizontal scrolling. You should see the
- obvious combined effect. In particular, the bottom canvas's text
- should be scrolled both up and to the left.
-
-Move all scrolls to 1 step beyond the smallest setting.
-
-Make the frame larger. The top canvas's scrolls should still have 10
- steps, but the bottom canvas's scrolls will have fewer steps,
- reflecting the fact that less scrolling is needed to see the same
- virtual area.
-
-Test the bottom canvas's scrolls to ensure that the maximum values of
- the scrolls show the edges of the canvas's virtual area.
-
-Make the frame large enough to see the whole bottom canvas's virtual
- area. The scrollbars should become disabled in both directions.
-
-Make the frame smaller again. The bottom canvas's scrolls should
- adjust correctly. Make the frame small enough that all scrollbars are
- active.
-
-Move all scrolls to 1 step beyond the smallest setting.
-
-Check "swap". Now, the top canvas is managed and the bottom canvas is
- unmanaged. But the top canvas's area is so small that its scrollbars
- are always disabled. (It may also be clipped to the tiny 10x10 box.)
- The bottom canvas's scrollbars should now act the the top ones used
- to: there are 20 steps in each direction and the `V:' and `H:' values
- change as the scrolls are moved.
-
-Uncheck "swap". The scrollbars should all go back to the 1 position.
- The bottom canvas should be scrolled in the usual way.
-
-Check "small". The top canvas should be unaffected. The bottom canvas
- should scroll back to 0,0, the scrollbars should be disabled, and a
- 50x20 box should be drawn in the upper left (or the entire canvas is
- clipped to that box).
-
-Check "swap". The bottom canvas should not be clipped.
-
-Check "swap". The bottom canvas might be clipped again.
-
-Uncheck "small". The bottom canvas should not be clipped.
-
-Check "small" and disable vertical scrolls. The bottom canvas should
- be clipped horizontally or the boundary drawn at a small offset from
- the left.
-
-Enable vertical and disable horizontal. The bottom canvas will be
- narrowly clipped of have a short boundary from the top.
-
-HCanvas Steps
---------------
-
-A vertical scrollbar should not be visible at all.
-
-Check both "Enable Vertical" and "Enable Horizontal". Verify that the
- canvases act exactly like an HVCanvas with vertical scrolls disabled.
-
-VCanvas Steps
---------------
-
-Transpose the approve appropriately
-
-Canvas Steps
-------------
-
-No scrollbars, checking the enabler boxes has no effect.
-
-Click "small" and make sure the bottom canvas is not clipped.
-
diff --git a/collects/tests/mred/checkbox-steps.txt b/collects/tests/mred/checkbox-steps.txt
deleted file mode 100644
index 0ee77b23..00000000
--- a/collects/tests/mred/checkbox-steps.txt
+++ /dev/null
@@ -1,21 +0,0 @@
-Check the "On" checkbox. "Callback Ok" should appear in the console.
-
-Uncheck the "On" checkbox. "Callback Ok" should appear in the console.
-
-Click "Check". "All Ok" should appear in the console.
-
-Repeat the above three steps.
-
-Click "Toggle". The checkbox should become checked.
-
-Click "Toggle". The checkbox should become unchecked.
-
-Check the "On" checkbox. "Callback Ok" should appear in the console.
-
-Click "Toggle". The checkbox should become unchecked.
-
-Repeat the above four steps with "Simulation Toggle" instead of "Toggle".
- However, with "Simulation Toggle", "Callback Ok" should be printed
- each time "Simulation Toggle" is hit.
-
-Click "Check". "All Ok" should appear in the console.
diff --git a/collects/tests/mred/choice-list-steps.txt b/collects/tests/mred/choice-list-steps.txt
deleted file mode 100644
index 3d3856b0..00000000
--- a/collects/tests/mred/choice-list-steps.txt
+++ /dev/null
@@ -1,236 +0,0 @@
-Set Up, Callbacks, Appending
-----------------------------
-
-The choice/list should contain "Alpha" "Beta" and "Gamma" for
- starters, unless and empty choice/list was created. In a choice,
- "Alpha" should be initially selected.
-
-If there are no items:
-
- * Click on the choice box. Make sure that nothing prints to the
- console as a result.
-
- * Click "Append"; "Extra 1" should appear in the list of tiems.
- For a choice, it should be immediately selected.
-
- * Click "Append" again. The selection should not change.
-
- * Start over with a fresh frame. Click the "Clear" button and
- nothing should happen.
-
- * If its an empty list, start over with a fresh frame. Click the
- "Reset" button and make sure "Alpha" "Beta" and "Gamma" are
- added.
-
- * Start over with a fresh frame again; jump down to the `Clearing'
- section (but don't click "Clear").
-
-For a multi-selection list, jump down to "Multiple Selections".
-
-If there are items, select each once in order (single-click for
- lists). After each solection, "Changed N" should appear in the
- console (where N is the position of the item, counting from 0) for a
- choice item, "Change (N)" for a list box; in either case, the
- "Changed" line is followed by "Callback Ok". This should be printed
- even if the selection is technically unchanged. Select the last one a
- second time to make sure.
-
-For a choice, click to pop-up the menu, but don't select anything. for
- a list, click in an area without items and in the scroll bar(s). In
- both cases, the selection should not change and nothing should print
- in the console.
-
-Click the "Append" button. The seletion should not change, but a new
- item "Extra 1" should appear.
-
-Click the "Append" button again.
-
-Select the first newly added item.
-
-Click on the "check" button. In the console, "content: " whould be
- printed along with a list of strings. That list should match the
- items in the choice/list.
-
-Selections
-----------
-
-Click "Select First". The selection should change to "Alpha", but
- nothing should appear in the console.
-
-Click "Select Middle". The selection should change to "Gamma", but
- nothing should appear in the console.
-
-Click "Select Last". The selection should change to "Extra 2"", but
- nothing should appear in the console.
-
-Click "Select Bad -1" and Select Bad X". In both cases, nothing should
- happen, and nothing should appear in the console.
-
-Repeat the above four steps for the "by name" buttons. (There's
- nothing equivalent to -1 for the "by name" buttons.)
-
-Repeat the four steps for the "by Simulate" buttons; in addition to
- having the selections change, the "Changed N" and "Callback Ok"
- messages should print in the console. For the -1 and X cases, "event
- selection value mismatch" should print in the console, and the
- selection should not change.
-
-Click on the "check" button and check the content list.
-
-Clearing
---------
-
-Choose clear. All items should disappear.
-
-Choose clear again. Nothing should happen.
-
-Click on all parts of the control. The callback should never be
- invoked.
-
-Click on all the "Select" buttons. For the top buttons and "by
- Simulate" buttons (but not the "bad" ones), an exception should be
- reported. Nothing should happend for the "by Name" buttons.
-
-Click on "Check". The empty item list should be reported in the
- console.
-
-Click on "Append". For a choice, "Extra 3" should be immediately
- selected. For a list box, nothing should be selected.
-
-Click "Append" again. The selection should not change.
-
-Select the second item, "Extra 4". Note the callback message in
- the console for item 1.
-
-Click "Check" and see the list in the console: ("Extra 3" "Extra 4")
-
-Append one more, "Extra 5", and try all the selecting buttons again.
-
-Append 5 more items. The last one is very long, but it should look ok:
- "This is a Really Long Named Item That Would Have Used the Short
- Name, Yes This is a Really Long Named Item That Would Have Used the
- Short Name Extra 10"
-
-Select the long-name item.
-
-Click "Check". The long name should be printed ok in the console.
-
->> No More Tests for Choice Frames <<
-
-Visible Range >> Lists Only <<
--------------
-
-Scroll to the top and select the first item. Click "Visible
- Indices". In the console, the top should be 0, and the visible count
- equal to the number of items that are completely visible in the
- item. If an item is only partly visible, it should not be counted.
-
-Scroll down exactly one item's height without changing the
- selection. Click "Visible Incices" again. The top should change to 1
- but the count should be the same.
-
-On some platforms, you can scroll to partially show the first item.
- Try it and hit "Visible Indices"; the partially shown item should
- count as unshown. The visible count should not change.
-
-Make the window taller to show at least one more item. Try "Visible
- Indices" again and make sure it changed.
-
-Click "Select Last". The list should scroll to the end. Try "Visible
- Indices" again.
-
-Make the list box taller than all its items. (It may be necssary to
- delete some items by selecting them and hitting the "Delete" button.)
- Click "Visible Indices" and make sure that the visible count is still
- more than the number of items.
-
-Deleting >> Lists Only <<
---------
-
-Select an item in the middle of the list.
-
-Hit "Delete". The item should disappear, and nothing shold be
- selected.
-
-Append a new item.
-
-Select the third item in the list. Hit "Delete Above"; the second item
- should disappear, and the selection should stick with its item as it
- moves into 2nd place. Hit "Delete Above" again and the first item
- should disappear, and the new first item should still be selected.
- Click "Delete Above" one more time, and nothing should happen.
-
-Append two new items.
-
-Select the third to last item in the list. Test "Delete Below" by
- clicking it three times, just like to "Delete Above".
-
-Append two new items.
-
-Click "Check" and inspect the item list in the console.
-
-Select the first item. Click the "Reset" button. The list should
- contain "Alpha" "Beta" and "Gamma" with no selection.
-
-Click "Check" and inspect the item list in the console.
-
-Double-Click >> Lists Only <<
-------------
-
-Double-click on "Alpha". The console should report the first click
- in the normal way, and then report "Changed -1" followed by
- "Double-click", then "Callback Ok".
-
-Double-click on "Gamma". Same as above, except that the initial
- click is reported for position 2 instead of 0.
-
-Click "Check" and inspect the item list in the console.
-
->> No More Tests for Single-Selection List Frames <<
-
-Multiple Selections >> Multiple-Selection Lists Only <<
--------------------
-
-Click on each of the three items and make sure that "Changed"
- and "Callback Ok" are printed in the console:
-
- * For regular MultiLists, each click should unhilite the
- old selection as it hilites the new one
-
- * For MultiExtendLists, each click should extend the
- selection.
-
-Click on a selected item to make sure "Changed" is printed again.
-
-Click "Check" and verify the item list *and* the selection list.
- (Remember that the items are numbered from 0).
-
-Clear the selection except for one item, somehow. (You may need to use
- the Ctl key)
-
-Use the shift key to select a second item. The console should show
- "Changed" and "Callback Ok" as usual.
-
-Click "Check" and verify that the selection list now has the right
- two items.
-
-Shift-click on a selected item. The console should show "Changed"
- and "Callback Ok" as usual.
-
-Shift-click to select the remaining item. The console should show
- "Changed" and "Callback Ok" as usual.
-
-Control-click on a selected item. It should become unselected (and the
- other two selected items should remain so). The console should report
- "Changed" and "Callback Ok".
-
-Click "Check" and verify the selection list.
-
-Try the "Select N" buttons. They should always extend the selection.
-
-Try the "by Simulate" buttons; they should should act like clicking,
- either extending the selection or restarting it.
-
-Try dragging (and shift-dragging and ctl-dragging) and make sure the
- console reports are appropriate.
-
diff --git a/collects/tests/mred/classhack.c b/collects/tests/mred/classhack.c
deleted file mode 100644
index 85c6f2cf..00000000
--- a/collects/tests/mred/classhack.c
+++ /dev/null
@@ -1,149 +0,0 @@
-
-#include "escheme.h"
-
-
-/**************** Copied from plt/src/mzscheme/src/object.c **************/
-typedef long ClassVariable;
-
-typedef struct Scheme_Class {
- Scheme_Type type;
-
- ClassVariable *ivars; /* Order determines order of evaluation */
-
- union {
- Scheme_Closed_Prim *initf;
- struct {
- Scheme_Instance_Init_Proc *f;
- void *data;
- } insti;
- } piu;
- short priminit;
-
- short pos;
- struct Scheme_Class **heritage;
- struct Scheme_Class *superclass; /* Redundant, but useful. */
- Scheme_Object *super_init_name;
- struct Scheme_Interface *equiv_intf; /* interface implied by this class */
-
- short num_args, num_required_args, num_arg_vars;
- short num_ivar, num_private, num_ref;
- short num_public, num_slots; /* num_vslots == num_public */
- Scheme_Object **public_names;
- /* ... */
-} Scheme_Class;
-
-typedef struct Scheme_Interface {
- Scheme_Type type;
- short num_names, num_supers;
- short for_class; /* 1 => impl iff subclass, 0 => normal interface */
- Scheme_Object **names;
- short *name_map; /* position in names => interface slot position */
- struct Scheme_Interface **supers; /* all superinterfaces (flattened hierarchy) */
- struct Scheme_Class *supclass;
- short *super_offsets; /* superinterface => super's slot position offset */
- Scheme_Object *defname;
-} Scheme_Interface;
-
-/*************************************************************************/
-
-Scheme_Object *array_to_list(int c, Scheme_Object **names)
-{
- Scheme_Object *p = scheme_null;
-
- while (c--)
- p = scheme_make_pair(names[c], p);
-
- return p;
-}
-
-Scheme_Object *arrays_to_list(int c1, Scheme_Object **ns1,
- int c2, Scheme_Object **ns2)
- /* Merge arrays. Exploit the fact that they're both
- sorted. */
-{
- Scheme_Object **ns;
- int c, i1, i2;
-
- ns = (Scheme_Object **)scheme_malloc(sizeof(Scheme_Object*) * (c1 + c2));
- c = i1 = i2 = 0;
- while ((i1 < c1) || (i2 < c2)) {
- if (i1 >= c1) {
- ns[c++] = ns2[i2++];
- } else if (i2 >= c2) {
- ns[c++] = ns1[i1++];
- } else {
- Scheme_Object *n1 = ns1[i1];
- Scheme_Object *n2 = ns2[i2];
-
- if (n1 == n2) {
- ns[c++] = n1;
- i1++;
- i2++;
- } else if ((unsigned long)n1 < (unsigned long)n2) {
- ns[c++] = ns1[i1++];
- } else {
- ns[c++] = ns2[i2++];
- }
- }
- }
-
- return array_to_list(c, ns);
-}
-
-Scheme_Object *class_to_names(int argc, Scheme_Object **argv)
-{
- Scheme_Class *class = (Scheme_Class *)argv[0];
-
- if (!SCHEME_CLASSP(argv[0]))
- scheme_wrong_type("class->names", "class", 0, argc, argv);
-
- return array_to_list(class->num_public, class->public_names);
-}
-
-Scheme_Object *interface_to_names(int argc, Scheme_Object **argv)
-{
- Scheme_Interface *interface = (Scheme_Interface *)argv[0];
-
- if (!SCHEME_INTERFACEP(argv[0]))
- scheme_wrong_type("interface->names", "interface", 0, argc, argv);
-
- return arrays_to_list(interface->num_names, interface->names,
- interface->supclass->num_public, interface->supclass->public_names);
-}
-
-Scheme_Object *interface_to_super_interfaces(int argc, Scheme_Object **argv)
-{
- Scheme_Interface *interface = (Scheme_Interface *)argv[0];
-
- if (!SCHEME_INTERFACEP(argv[0]))
- scheme_wrong_type("interface->super-interfaces", "interface", 0, argc, argv);
-
- return array_to_list(interface->num_supers, (Scheme_Object**)interface->supers);
-}
-
-
-Scheme_Object *scheme_initialize(Scheme_Env *env)
-{
- return scheme_reload(env);
-}
-
-Scheme_Object *scheme_reload(Scheme_Env *env)
-{
- scheme_add_global("class->names",
- scheme_make_prim_w_arity(class_to_names,
- "class->names",
- 1, 1),
- env);
- scheme_add_global("interface->names",
- scheme_make_prim_w_arity(interface_to_names,
- "interface->names",
- 1, 1),
- env);
- scheme_add_global("interface->super-interfaces",
- scheme_make_prim_w_arity(interface_to_super_interfaces,
- "interface->super-interfaces",
- 1, 1),
- env);
-
- return scheme_void;
-}
diff --git a/collects/tests/mred/draw-info.txt b/collects/tests/mred/draw-info.txt
deleted file mode 100644
index 3b2f03af..00000000
--- a/collects/tests/mred/draw-info.txt
+++ /dev/null
@@ -1,221 +0,0 @@
-The drawing area should have the following features:
-
- At the top-left, when the window is opened for the first time, you
- shoudl see a hollow box with a line sticking out to the bottom
- left. Repainting the canvas should produce instead a solid box and
- no line. Repainting with Pixmap or Bitmap should always produce
- the hollow box and line.
-
- At the top, "Pen 0 x 0" in a consistent font (i.e., re-painting
- should not change the font; clicking *2 should make it twice
- a big, and unclicking should restore it)
- "Pen 1 x 1" in a possibly different font
- "Pen 2 x 2" in a bold red font (bold version of 1x1 font) on yellow
-
- A line should appear across each of "Pen 0 x 0" and "Pen 1 x 1"
- (if the line is missing, it was probably erased when the text
- was repainted, and that is bad)
- A little bit of a black line should appear before "Pen 2 x 2", but
- the yellow background should have covered up the rest of the line
-
- To the right of the Pen text, a black and red pair of splines should
- form a squashed "S", twice as wide as high. The "S" is formed by
- two splines.
-
- Under the splines should be two blue polygons, the top with a square
- hole (odd-even fill) and the bottom all solid (winding fill). The
- black lines forming the polygon should be the same in each shape
- (strictly on borders for the top polygon, drawn over blue in the
- bottom polygon).
-
- To the far right should be three columns of boxes. All boxes should
- have a red border and lines on a background that matches the
- normal background (i.e., either white or cyan). The lines should
- be black for the left colum, and green for the remaining two
- columns.
-
- Under the three columns of boxes, a black box should be filled with
- an 25% black B&W bitmap, and a red box frame should be draw with a
- 50% red stipple.
-
- The drawings under "0 x 0" and "1 x 1" should look nearly the same:
-
- TopLeft: h-line should be left-aligned with box below it, but
- extend 1 extra pixel. v-line similarly should be
- top-aligned and 1 pixel longer. The lines should not
- touch the box - there should be 2 pixels of space.
-
- Top: Lines for the rotated L's should join in a sharp corner
-
- Second from Top: like top-left, but lines should touch the box (so
- only the vertical overhang is visible)
-
- Second from top, right: For 0x0, the X should never be more than 1
- pixel wide; this is a case where 1x1 may
- be different (i.e., it may have areas
- two-pixels wide)
-
- Four shape rows: First (solid brush, solid pen) and second (solid
- brush, solid pen) columns should be the same shape, with
- the first hollow and the second filled. Third (solid
- brush, no pen) column should look like the second column.
- The fourth column should be the xor of the first and
- third columns. The precise results are ill-defined for
- the "2 x 2 Pen" shapes.
-
- Octagons: two hollow octagons exactly the same shape.
-
- Dot (after octagons): a single pixel (uses draw-point)
-
- Another Dot (below the first one): a single pixel (created as a
- 0-length line from draw-line)
-
- Line: actually two lines, but they should form a single
- unbroken line
-
- Arcs: The leftmost should be the top half of an ellipse (it's
- formed via two arcs); the rightmost should be a filled wedge
- from 90 degrees to 180 degress. The arcs are part of an
- ellipse 40 tall and 30 wide (i.e., stretched slightly in the
- vertical direction from a circle).
-
- Big octagon: The octagon defines the region for octagin clipping.
- Also, it's drawn in xor mode, so it should flip black to
- white wherever the octagon line runs over the shapes of the
- middle section. The bitmaps of the bottom region are drawn
- afterwards, and wil therefore hide parts of the octagon
- line, although the MrEd logo is also drawn in XOR mode so it
- shouldn't obscure the octagon line.
-
- Bottom section:
-
- Images: MrEd logo (b & w), drawn in XOR mode, so the octagin line
- should be toggled where the black part of the MrEd logo
- intersects with the line.
- BB logo (color)
- Top subrow:
- Down-left arrow (with a thin horizontal line), black on
- background
- Down-left arrow, red on background
- Down-left arrow, red on background
- Bottom subrow, on blue field in black-bordered roundrect:
- Down-left arrow (with a thin horizontal line), black on
- blue
- Down-left arrow, red on blue
- Down-left arrow, red on background (cyan or white)
- BB logo, same as before
- Down-left arrow - red on black
-
- Stippled boxes, in a blue box w/black border, four black-outlined
- shapes:
- Sqaure - green down-arrows on blue field
- Cirle - green down-arrows on background (cyan or white) field
- Square - bb logo
- Square - green cross-hatch on blue
-
- Dashed lines: each half green and half black with the background
- color (white or cyan) between the dots/dashes, two of each:
- Solid line
- Dot line
- Long Dash line
- Short Dash line
- Dot Dash line
-
- Long line: On the screen, the line should be 1 pixel wide, except
- that the last 1/9th should be two pixels wide. In postscript,
- the line should consist of 9 segments, growing in width from
- 0.0 to 2.0 (inclusive) in 0.25 increments. When the image
- is scaled by a factor of 2, the first 1/9th on the screen
- should still be 1 pixel, the next 7/9ths should be 2 pixels,
- and the last 1/9 should be 4 pixels wide.
-
- The drawings under 2x2 should be reasonable extensions of the
- 0x0 and 1x1 pictures for a double-wide pen.
-
-The image should look the same regardless of the top radio button
-setting --- Canvas, Pixmap, or Bitmap --- except that the Bitmap
-setting must produce a black-and-white image. When you go from Pixmap
-+ *2 ("*2" is described next) back to Pixmap, there may be junk from
-the *2 drawing left around the right and bottom. That's ok. Same for
-going from Canvas + Cyan ("Cyan" is described later) to Pixmap + Cyan.
-
-Clicking on the "*2" checkbox should double the size of everything,
-including the pen widths, but not the bitmaps. The 0x0 pen should be
-the same width as before (1 pixel).
-
-Clicking on "+10" should shift everything 10 pixels down and across.
-(Even when "*2" is checked, it should be a 10 pixel offset).
-
-Clicking on "Cyan" should change the background to cyan instead of
-white. When Pixmap or Bitmap is used, the background will be set in
-the Pixmap/Bitmap, not the canvas, so a white background should frame
-the cyan area to the right and bottom (if you make the window big
-enough).
-
-Clipping should slip the drawing to a particular shape:
-
- rectangle - a 10-pixel strip 100 pixels from the left
-
- octagon - the content of the big outlined octagon; some
- part of the octagone outline is clipped
-
- circle - a circle inscribed in the octagon's bounding
- box
-
- round rectangle - a rounded rect inscrobed in the the blue box for
- testing stipples
-
- unions, intersects, subtracts - hopefully obvious
-
- polka - purple field with holes showing the normal drawing
-
-When "*2" is also clicked, the clipping region should scale
-accordingly. "+10" should move the clipping region. (In either the
-"*2" or "+10" case, the content of the clipped region should be the
-same.)
-
-The "Clock" button tests a range of wedges. Each wedge has a 1-pixel
- black background and orange filling. A sequence of wedges is
- produced. Imagine the following:
- The two hands of a clock start at 0 radians (i.e., 3:15). For each
- step, the minute hand is moved back (counter-clockwise) pi/4
- radians, while the hour hand moves back pi/8 radians, and
- everything between the minute hand moving counter-clockwise to the
- hour hand is filled in. So after drawing the full circle on the 0th
- step, the wedge includes everything except a small slice on the 1st
- step. The empty slice grows ever larger while shifting
- counter-clockwise. By the time the minute hand wraps to 0 radians
- (at which point the hour hand is a pi radians), the wedge covers
- only the top half of the clock. It keeps going until the wedge
- nearly disappears (but instead of disappearing, the whole circle is
- filled in again). The same pattern is then repeated, but reversing
- the wedge part and empty part (so the wedge starts small and grows
- larger this time around).
- The orange wedge is drawn just before the bitmaps, so they appear on
- top of the orange wedge, but the wegde paints over other things. If
- the "Pixmap" box is checked and the "Polka" clipping region is
- selected, the result is an animtation where you can only see the
- wedge grow and move through the polka-dot holes in the purple field.
-
-The "Clip Clock" button is similar to "Clock", except that all drawing
- is clipped to the area to be painted orange. "Clip Clock" clipping
- overrides any other clipping setting.
-
-Clicking on "PostScript" should produce the image described above in a
-PostScript file.
-
-The "icons" and "stipple" boxes enable those parts of the
-drawing. These checkboxes are provided because PostScript drawing of
-icons and stipples can be slow.
-
-----------
-
-Finally, print these instructions by hitting the "Print" button at the
-top of the "What Should I See?" window. The following lines are for
-the printing test; they should wrap aroundneatly on the printed
-page. (Don't add any newlines.) Check to make sure no lines are
-skipped or duplicated across page breaks. Try different page
-orientations.
-
-0 1 2 3 4 5 6 7 8 9 X O T T F
-012345678901234567890123456789012345678901234567890123456789012345678901234567890123456789012345678901234567890123456789012345678901234567890123456789
diff --git a/collects/tests/mred/draw.ss b/collects/tests/mred/draw.ss
deleted file mode 100644
index 57203b25..00000000
--- a/collects/tests/mred/draw.ss
+++ /dev/null
@@ -1,780 +0,0 @@
-
-(define sys-path
- (lambda (f)
- (build-path (collection-path "icons") f)))
-
-(define local-path
- (let ([d (current-load-relative-directory)])
- (lambda (f)
- (build-path d f))))
-
-(define (get-icon)
- (make-object bitmap% (sys-path "mred.xbm") 'xbm))
-
-(define (show-instructions file)
- (letrec ([f (make-object frame% file #f 400 400)]
- [print (make-object button% "Print" f
- (lambda (b ev)
- (send e print)))]
- [c (make-object editor-canvas% f)]
- [e (make-object text%)])
- (send e load-file file)
- (send e lock #t)
- (send c set-editor e)
- (send f show #t)))
-
-(define pi (atan 0 -1))
-
-(define octagon
- (list (make-object point% 60 60)
- (make-object point% 120 60)
- (make-object point% 180 120)
- (make-object point% 180 180)
- (make-object point% 120 240)
- (make-object point% 60 240)
- (make-object point% 0 180)
- (make-object point% 0 120)
- (make-object point% 60 60)))
-
-(define (get-b&w-light-stipple)
- (make-object bitmap%
- (list->string (map integer->char '(#x88 0 #x22 0 #x88 0 #x22 0)))
- 8 8))
-
-(define (get-b&w-half-stipple)
- (make-object bitmap%
- (list->string (map integer->char '(#xcc #x33 #xcc #x33 #xcc #x33 #xcc #x33)))
- 8 8))
-
-(let* ([f (make-object frame% "Graphics Test" #f 300 450)]
- [vp (make-object vertical-panel% f)]
- [hp0 (make-object horizontal-panel% vp)]
- [hp (make-object horizontal-panel% vp)]
- [hp2 hp]
- [hp3 (make-object horizontal-pane% vp)]
- [bb (make-object bitmap% (sys-path "bb.gif") 'gif)]
- [return (let* ([bm (make-object bitmap% (sys-path "return.xbm") 'xbm)]
- [dc (make-object bitmap-dc% bm)])
- (send dc draw-line 0 3 20 3)
- (send dc set-bitmap #f)
- bm)]
- [clock-start #f]
- [clock-end #f]
- [clock-clip? #f]
- [use-bitmap? #f]
- [use-bad? #f]
- [depth-one? #f]
- [cyan? #f]
- [clip 'none])
- (send hp0 stretchable-height #f)
- (send hp stretchable-height #f)
- (send hp3 stretchable-height #f)
- (make-object button% "What Should I See?" hp0
- (lambda (b e)
- (show-instructions (local-path "draw-info.txt"))))
- (let ([canvas
- (make-object
- (class canvas% args
- (inherit get-dc)
- (public
- [no-bitmaps? #f]
- [set-bitmaps (lambda (on?) (set! no-bitmaps? (not on?)) (on-paint))]
- [no-stipples? #f]
- [set-stipples (lambda (on?) (set! no-stipples? (not on?)) (on-paint))]
- [pixel-copy? #f]
- [set-pixel-copy (lambda (on?) (set! pixel-copy? on?) (on-paint))]
- [scale 1]
- [set-scale (lambda (s) (set! scale s) (on-paint))]
- [offset 0]
- [set-offset (lambda (o) (set! offset o) (on-paint))])
- (override
- [on-paint
- (case-lambda
- [() (on-paint #f)]
- [(ps?)
- (let* ([can-dc (get-dc)]
- [pen0s (make-object pen% "BLACK" 0 'solid)]
- [pen1s (make-object pen% "BLACK" 1 'solid)]
- [pen2s (make-object pen% "BLACK" 2 'solid)]
- [pen0t (make-object pen% "BLACK" 0 'transparent)]
- [pen1t (make-object pen% "BLACK" 1 'transparent)]
- [pen2t (make-object pen% "BLACK" 2 'transparent)]
- [pen0x (make-object pen% "BLACK" 0 'xor)]
- [pen1x (make-object pen% "BLACK" 1 'xor)]
- [pen2x (make-object pen% "BLACK" 2 'xor)]
- [brushs (make-object brush% "BLACK" 'solid)]
- [brusht (make-object brush% "BLACK" 'transparent)]
- [brushb (make-object brush% "BLUE" 'solid)]
- [mem-dc (if use-bitmap?
- (make-object bitmap-dc%)
- #f)]
- [bm (if use-bitmap?
- (if use-bad?
- (make-object bitmap% "no such file")
- (make-object bitmap% (* scale 350) (* scale 300) depth-one?))
- #f)]
- [draw-series
- (lambda (dc pens pent penx size x y flevel last?)
- (let* ([ofont (send dc get-font)]
- [otfg (send dc get-text-foreground)]
- [otbg (send dc get-text-background)]
- [obm (send dc get-text-mode)])
- (if (positive? flevel)
- (send dc set-font
- (make-object font%
- 10 'decorative
- 'normal
- (if (> flevel 1)
- 'bold
- 'normal)
- #t)))
- (send dc set-pen pens)
- (send dc set-brush brusht)
-
- ; Text should overlay this line (except for 2x2)
- (send dc draw-line
- (+ x 3) (+ y 12)
- (+ x 40) (+ y 12))
-
- (send dc set-text-background (make-object color% "YELLOW"))
- (when (= flevel 2)
- (send dc set-text-foreground (make-object color% "RED"))
- (send dc set-text-mode 'solid))
-
- (send dc draw-text (string-append size " Pen")
- (+ x 5) (+ y 8))
- (send dc set-font ofont)
-
- (when (= flevel 2)
- (send dc set-text-foreground otfg)
- (send dc set-text-mode obm))
- (send dc set-text-background otbg)
-
- (send dc draw-line
- (+ x 5) (+ y 27) (+ x 10) (+ 27 y))
- (send dc draw-rectangle
- (+ x 5) (+ y 30) 5 5)
- (send dc draw-line
- (+ x 12) (+ y 30) (+ x 12) (+ y 35))
-
- (send dc draw-line
- (+ x 5) (+ y 40) (+ x 10) (+ 40 y))
- (send dc draw-rectangle
- (+ x 5) (+ y 41) 5 5)
- (send dc draw-line
- (+ x 10) (+ y 41) (+ x 10) (+ 46 y))
-
- (send dc draw-line
- (+ x 15) (+ y 25) (+ x 20) (+ 25 y))
- (send dc draw-line
- (+ x 20) (+ y 30) (+ x 20) (+ 25 y))
-
- (send dc draw-line
- (+ x 30) (+ y 25) (+ x 25) (+ 25 y))
- (send dc draw-line
- (+ x 25) (+ y 30) (+ x 25) (+ 25 y))
-
- (send dc draw-line
- (+ x 35) (+ y 30) (+ x 40) (+ 30 y))
- (send dc draw-line
- (+ x 40) (+ y 25) (+ x 40) (+ 30 y))
-
- (send dc draw-line
- (+ x 50) (+ y 30) (+ x 45) (+ 30 y))
- (send dc draw-line
- (+ x 45) (+ y 25) (+ x 45) (+ 30 y))
-
- ; Check line thickness with "X"
- (send dc draw-line
- (+ x 20) (+ y 45) (+ x 40) (+ 39 y))
- (send dc draw-line
- (+ x 20) (+ y 39) (+ x 40) (+ 45 y))
-
- (send dc draw-rectangle
- (+ x 5) (+ y 50) 10 10)
- (send dc draw-rounded-rectangle
- (+ x 5) (+ y 65) 10 10 3)
- (send dc draw-ellipse
- (+ x 5) (+ y 80) 10 10)
-
- (send dc set-brush brushs)
- (send dc draw-rectangle
- (+ x 17) (+ y 50) 10 10)
- (send dc draw-rounded-rectangle
- (+ x 17) (+ y 65) 10 10 3)
- (send dc draw-ellipse
- (+ x 17) (+ y 80) 10 10)
-
- (send dc set-pen pent)
- (send dc draw-rectangle
- (+ x 29) (+ y 50) 10 10)
- (send dc draw-rounded-rectangle
- (+ x 29) (+ y 65) 10 10 3)
- (send dc draw-ellipse
- (+ x 29) (+ y 80) 10 10)
-
- (send dc set-pen penx)
- (send dc draw-rectangle
- (+ x 41) (+ y 50) 10 10)
- (send dc draw-rounded-rectangle
- (+ x 41) (+ y 65) 10 10 3)
- (send dc draw-ellipse
- (+ x 41) (+ y 80) 10 10)
-
- (send dc set-pen pens)
- (send dc draw-rectangle
- (+ x 17) (+ y 95) 10 10)
- ; (send dc set-logical-function 'clear)
- (send dc draw-rectangle
- (+ x 18) (+ y 96) 8 8)
- ; (send dc set-logical-function 'copy)
-
- (send dc draw-rectangle
- (+ x 29) (+ y 95) 10 10)
- ; (send dc set-logical-function 'clear)
- (send dc set-pen pent)
- (send dc draw-rectangle
- (+ x 30) (+ y 96) 8 8)
-
- (send dc set-pen pens)
- (send dc draw-rectangle
- (+ x 5) (+ y 95) 10 10)
- ; (send dc set-logical-function 'xor)
- (send dc draw-rectangle
- (+ x 5) (+ y 95) 10 10)
- ; (send dc set-logical-function 'copy)
-
- (send dc draw-line
- (+ x 5) (+ y 110) (+ x 8) (+ y 110))
- (send dc draw-line
- (+ x 8) (+ y 110) (+ x 11) (+ y 113))
- (send dc draw-line
- (+ x 11) (+ y 113) (+ x 11) (+ y 116))
- (send dc draw-line
- (+ x 11) (+ y 116) (+ x 8) (+ y 119))
- (send dc draw-line
- (+ x 8) (+ y 119) (+ x 5) (+ y 119))
- (send dc draw-line
- (+ x 5) (+ y 119) (+ x 2) (+ y 116))
- (send dc draw-line
- (+ x 2) (+ y 116) (+ x 2) (+ y 113))
- (send dc draw-line
- (+ x 2) (+ y 113) (+ x 5) (+ y 110))
-
- (send dc draw-lines
- (list
- (make-object point% 5 95)
- (make-object point% 8 95)
- (make-object point% 11 98)
- (make-object point% 11 101)
- (make-object point% 8 104)
- (make-object point% 5 104)
- (make-object point% 2 101)
- (make-object point% 2 98)
- (make-object point% 5 95))
- (+ x 12) (+ y 15))
-
- (send dc draw-point (+ x 35) (+ y 115))
- (send dc draw-line (+ x 35) (+ y 120) (+ x 35) (+ y 120))
-
- (send dc draw-line
- (+ x 5) (+ y 125) (+ x 10) (+ y 125))
- (send dc draw-line
- (+ x 11) (+ y 125) (+ x 16) (+ y 125))
-
- (send dc set-brush brusht)
- (send dc draw-arc
- (+ x 5) (+ y 135)
- 30 40
- 0 (/ pi 2))
- (send dc draw-arc
- (+ x 5) (+ y 135)
- 30 40
- (/ pi 2) pi)
- (send dc set-brush brushs)
- (send dc draw-arc
- (+ x 45) (+ y 135)
- 30 40
- (/ pi 2) pi)
- (send dc set-brush brusht)
-
-
- (when last?
- (let ([p (send dc get-pen)])
- (send dc set-pen (make-object pen% "BLACK" 1 'xor))
- (send dc draw-polygon octagon)
- (send dc set-pen p))
-
- (when clock-start
- (let ([b (send dc get-brush)])
- (send dc set-brush (make-object brush% "ORANGE" 'solid))
- (send dc draw-arc 0. 60. 180. 180. clock-start clock-end)
- (send dc set-brush b))))
-
- (when last?
- (let ([op (send dc get-pen)])
-
- ; Splines
- (define (draw-ess dx dy)
- (send dc draw-spline
- (+ dx 200) (+ dy 10)
- (+ dx 218) (+ dy 12)
- (+ dx 220) (+ dy 20))
- (send dc draw-spline
- (+ dx 220) (+ dy 20)
- (+ dx 222) (+ dy 28)
- (+ dx 240) (+ dy 30)))
- (send dc set-pen pen0s)
- (draw-ess 0 0)
- (send dc set-pen (make-object pen% "RED" 0 'solid))
- (draw-ess -2 2)
-
- ; Polygons: odd-even vs. winding
- (let ([polygon
- (list (make-object point% 12 0)
- (make-object point% 40 0)
- (make-object point% 40 28)
- (make-object point% 0 28)
- (make-object point% 0 12)
- (make-object point% 28 12)
- (make-object point% 28 40)
- (make-object point% 12 40)
- (make-object point% 12 0))]
- [ob (send dc get-brush)]
- [op (send dc get-pen)])
- (send dc set-pen pen1s)
- (send dc set-brush (make-object brush% "BLUE" 'solid))
- (send dc draw-polygon polygon 200 40 'odd-even)
- (send dc draw-polygon polygon 200 90 'winding)
- (send dc set-pen op)
- (send dc set-brush ob))
-
-
- ; Brush patterns:
- (let ([pat-list (list 'bdiagonal-hatch
- 'crossdiag-hatch
- 'fdiagonal-hatch
- 'cross-hatch
- 'horizontal-hatch
- 'vertical-hatch)]
- [b (make-object brush% "BLACK" 'solid)]
- [ob (send dc get-brush)]
- [obg (send dc get-background)]
- [blue (make-object color% "BLUE")])
- (let loop ([x 245][y 10][l pat-list])
- (unless (null? l)
- (send b set-color "BLACK")
- (send b set-style (car l))
- (send dc set-brush b)
- (send dc draw-rectangle x y 20 20)
- (send dc set-brush ob)
- (send b set-color "GREEN")
- (send dc set-brush b)
- (send dc draw-rectangle (+ x 25) y 20 20)
- (send dc set-background blue)
- (send dc draw-rectangle (+ x 50) y 20 20)
- (send dc set-background obg)
- (send dc set-brush ob)
- (loop x (+ y 25) (cdr l)))))
-
- (send dc set-pen op))
-
- ; B&W 8x8 stipple:
- (unless no-bitmaps?
- (let ([bml (get-b&w-light-stipple)]
- [bmh (get-b&w-half-stipple)]
- [orig-b (send dc get-brush)]
- [orig-pen (send dc get-pen)])
- (send dc set-brush brusht)
- (send dc set-pen pen1s)
- (send dc draw-rectangle 244 164 18 18)
- (send dc draw-bitmap bml 245 165)
- (send dc draw-bitmap bml 245 173)
- (send dc draw-bitmap bml 253 165)
- (send dc draw-bitmap bml 253 173)
-
- (let ([p (make-object pen% "RED" 1 'solid)])
- (send p set-stipple bmh)
- (send dc set-pen p)
- (send dc draw-rectangle 270 164 18 18))
-
- (send dc set-brush orig-b)
- (send dc set-pen orig-pen))))
-
- (when last?
- ; Test get-text-extent
- (let ([save-pen (send dc get-pen)]
- [save-fnt (send dc get-font)])
- (send dc set-pen (make-object pen% "YELLOW" 1 'xor))
- (let loop ([fam '(default default modern modern decorative roman)]
- [stl '(normal slant slant italic normal normal)]
- [wgt '(normal bold normal normal bold normal)]
- [sze '(12 12 12 12 12 32)]
- [x 244]
- [y 210])
- (unless (null? fam)
- (let ([fnt (make-object font% (car sze) (car fam) (car stl) (car wgt))]
- [s "AgMh"])
- (send dc set-font fnt)
- (send dc draw-text s x y)
- (send dc set-font save-fnt)
- (let-values ([(w h d a) (send dc get-text-extent s fnt)])
- (send dc draw-rectangle x y w h)
- (send dc draw-line x (+ y (- h d)) (+ x w) (+ y (- h d)))
- (loop (cdr fam) (cdr stl) (cdr wgt) (cdr sze) x (+ y h))))))
- (send dc set-pen save-pen)))
-
- ; Bitmap copying:
- (when (and (not no-bitmaps?) last?)
- (let ([x 5] [y 165])
- (send dc draw-bitmap (get-icon) x y 'xor)
- (set! x (+ x (send (get-icon) get-width)))
- (let ([black (send the-color-database find-color "BLACK")]
- [red (send the-color-database find-color "RED")]
- [do-one
- (lambda (bm mode color)
- (if (send bm ok?)
- (begin
- (let ([h (send bm get-height)]
- [w (send bm get-width)])
- (send dc draw-bitmap-section
- bm x y
- 0 0 w h
- mode color)
- (set! x (+ x w 10))))
- (printf "bad bitmap~n")))])
- ;; BB icon
- (do-one bb 'solid black)
- (let ([start x])
- ;; First three return icons:
- (do-one return 'solid black)
- (do-one return 'solid red)
- (do-one return 'opaque red)
- ;; Next three, on a bluew background
- (let ([end x]
- [b (send dc get-brush)])
- (send dc set-brush (make-object brush% "BLUE" 'solid))
- (send dc draw-rounded-rectangle (- start 5) (+ y 15) (- end start) 15 -0.2)
- (send dc set-brush b)
- (set! x start)
- (set! y (+ y 18))
- (do-one return 'solid black)
- (do-one return 'solid red)
- (do-one return 'opaque red)
- (set! y (- y 18))))
- ;; Another BB icon, make sure color has no effect
- (do-one bb 'solid red)
- ;; Another return, blacnk on red
- (let ([bg (send dc get-background)])
- (send dc set-background (send the-color-database find-color "BLACK"))
- (do-one return 'opaque red)
- (send dc set-background bg))
- ;; Return by drawing into color, copying color to monochrome, then
- ;; monochrome back oonto canvas:
- (let* ([w (send return get-width)]
- [h (send return get-height)]
- [color (make-object bitmap% w h)]
- [mono (make-object bitmap% w h #t)]
- [cdc (make-object bitmap-dc% color)]
- [mdc (make-object bitmap-dc% mono)])
- (send cdc clear)
- (send cdc draw-bitmap return 0 0)
- (send mdc clear)
- (send mdc draw-bitmap color 0 0)
- (send dc draw-bitmap mono
- (- x w 10) (+ y 18)))
- (send dc set-pen pens))))
-
- (when (and (not no-stipples?) last?)
- ; Blue box as background:
- (send dc set-brush brushb)
- (send dc draw-rectangle 80 200 125 40)
- (when (send return ok?)
- (let ([b (make-object brush% "GREEN" 'solid)])
- (send b set-stipple return)
- (send dc set-brush b)
- ; First stipple (transparent background)
- (send dc draw-rectangle 85 205 30 30)
- (send dc set-brush brushs)
- (send b set-style 'opaque)
- (send dc set-brush b)
- ; Second stipple (opaque)
- (send dc draw-ellipse 120 205 30 30)
- (send dc set-brush brushs)
- (send b set-stipple bb)
- (send dc set-brush b)
- ; Third stipple (BB logo)
- (send dc draw-rectangle 155 205 20 30)
- (send dc set-brush brushs)
- (send b set-stipple #f)
- (send b set-style 'cross-hatch)
- (send dc set-brush b)
- ; Green cross hatch (white BG) on blue field
- (send dc draw-rectangle 180 205 20 20)
- (send dc set-brush brushs))))
-
- (when (and pixel-copy? last? (not (or ps? (eq? dc can-dc))))
- (let* ([x 100]
- [y 170]
- [x2 245] [y2 188]
- [w 40] [h 20]
- [c (make-object color%)]
- [bm (make-object bitmap% w h depth-one?)]
- [mdc (make-object bitmap-dc%)])
- (send mdc set-bitmap bm)
- (let iloop ([i 0])
- (unless (= i w)
- (let jloop ([j 0])
- (if (= j h)
- (iloop (add1 i))
- (begin
- (send dc get-pixel (+ i x) (+ j y) c)
- (send mdc set-pixel i j c)
- (jloop (add1 j)))))))
- (send dc draw-bitmap bm x2 y2)
- (let ([p (send dc get-pen)]
- [b (send dc get-brush)])
- (send dc set-pen (make-object pen% "BLACK" 0 'xor-dot))
- (send dc set-brush brusht)
- (send dc draw-rectangle x y w h)
- (send dc set-pen p)
- (send dc set-brush b))))
-
- (let ([styles (list 'solid
- 'dot
- 'long-dash
- 'short-dash
- 'dot-dash)]
- [obg (send dc get-background)]
- [red (make-object color% "RED")])
- (let loop ([s styles][y 250])
- (unless (null? s)
- (let ([p (make-object pen% "GREEN" flevel (car s))])
- (send dc set-pen p)
- (send dc draw-line (+ x 5) y (+ x 30) y)
- (send dc set-background red)
- (send dc draw-line (+ x 5) (+ 4 y) (+ x 30) (+ y 4))
- (send dc set-background obg)
- (send pens set-style (car s))
- (send dc set-pen pens)
- (send dc draw-line (+ x 30) y (+ x 55) y)
- (send dc set-background red)
- (send dc draw-line (+ x 30) (+ y 4) (+ x 55) (+ y 4))
- (send dc set-background obg)
- (send dc set-pen pent)
- (send pens set-style 'solid)
- (loop (cdr s) (+ y 8))))))
-
- (when (= flevel 2)
- (let ([lens '(0 0.25 0.5 0.75 1.0 1.25 1.5 1.75 2.0)])
- (let loop ([l lens][x 10])
- (unless (null? l)
- (let ([p (make-object pen% "BLACK" (car l) 'solid)])
- (send dc set-pen p)
- (send dc draw-line x 300 (+ x 19) 300)
- (send dc set-pen pent)
- (loop (cdr l) (+ x 20)))))))
-
- (when (and last? (not (or ps? (eq? dc can-dc)))
- (send mem-dc get-bitmap))
- (send can-dc draw-bitmap (send mem-dc get-bitmap) 0 0 'opaque)))
-
- 'done)])
-
- (send (get-dc) set-scale 1 1)
- (send (get-dc) set-origin 0 0)
-
- (let ([dc (if ps?
- (let ([dc (if (eq? ps? 'print)
- (make-object printer-dc%)
- (make-object post-script-dc%))])
- (and (send dc ok?) dc))
- (if (and use-bitmap?)
- (begin
- (send mem-dc set-bitmap bm)
- mem-dc)
- (get-dc)))])
- (when dc
- (send dc start-doc "Draw Test")
- (send dc start-page)
-
- (send dc set-scale scale scale)
- (send dc set-origin offset offset)
-
- (send dc set-background
- (if cyan?
- (send the-color-database find-color "CYAN")
- (send the-color-database find-color "WHITE")))
-
- (send dc set-clipping-region #f)
- (send dc clear)
-
- (if clock-clip?
- (let ([r (make-object region% dc)])
- (send r set-arc 0. 60. 180. 180. clock-start clock-end)
- (send dc set-clipping-region r))
- (let ([mk-poly (lambda ()
- (let ([r (make-object region% dc)])
- (send r set-polygon octagon) r))]
- [mk-circle (lambda ()
- (let ([r (make-object region% dc)])
- (send r set-ellipse 0. 60. 180. 180.) r))]
- [mk-rect (lambda ()
- (let ([r (make-object region% dc)])
- (send r set-rectangle 100 -25 10 400) r))])
- (case clip
- [(none) (void)]
- [(rect) (send dc set-clipping-rect 100 -25 10 400)]
- [(poly) (send dc set-clipping-region (mk-poly))]
- [(circle) (send dc set-clipping-region (mk-circle))]
- [(rect+poly) (let ([r (mk-poly)])
- (send r union (mk-rect))
- (send dc set-clipping-region r))]
- [(rect+circle) (let ([r (mk-circle)])
- (send r union (mk-rect))
- (send dc set-clipping-region r))]
- [(poly-rect) (let ([r (mk-poly)])
- (send r subtract (mk-rect))
- (send dc set-clipping-region r))]
- [(poly&rect) (let ([r (mk-poly)])
- (send r intersect (mk-rect))
- (send dc set-clipping-region r))]
- [(roundrect) (let ([r (make-object region% dc)])
- (send r set-rounded-rectangle 80 200 125 40 -0.25)
- (send dc set-clipping-region r))]
- [(polka)
- (let ([c (send dc get-background)])
- (send dc set-background (send the-color-database find-color "PURPLE"))
- (send dc clear)
- (send dc set-background c))
- (let ([r (make-object region% dc)]
- [w 30]
- [s 10])
- (let xloop ([x 0])
- (if (> x 300)
- (send dc set-clipping-region r)
- (let yloop ([y 0])
- (if (> y 500)
- (xloop (+ x w s))
- (let ([r2 (make-object region% dc)])
- (send r2 set-ellipse x y w w)
- (send r union r2)
- (yloop (+ y w s))))))))
- (send dc clear)])))
-
- ; check default pen/brush:
- (send dc draw-rectangle 0 0 5 5)
- (send dc draw-line 0 0 20 6)
-
- (draw-series dc pen0s pen0t pen0x "0 x 0" 5 0 0 #f)
-
- (draw-series dc pen1s pen1t pen1x "1 x 1" 70 0 1 #f)
-
- (draw-series dc pen2s pen2t pen2x "2 x 2" 135 0 2 #t)
-
- (unless clock-clip?
- (let ([r (send dc get-clipping-region)])
- (if (eq? clip 'none)
- (when r
- (error 'draw-test "shouldn't have been a clipping region"))
- (let*-values ([(x y w h) (send r get-bounding-box)]
- [(l) (list x y w h)])
- (unless (andmap = l
- (case clip
- [(rect) '(100. -25. 10. 400.)]
- [(poly circle poly-rect) '(0. 60. 180. 180.)]
- [(rect+poly rect+circle) '(0. -25. 180. 400.)]
- [(poly&rect) '(100. 60. 10. 180.)]
- [(roundrect) '(80. 200. 125. 40.)]
- [(polka) '(0. 0. 310. 510.)]))
- (error 'draw-test "clipping region changed badly: ~a" l))))))
-
- (let-values ([(w h) (send dc get-size)])
- (unless (cond
- [ps? #t]
- [use-bad? #t]
- [use-bitmap? (and (= w (* scale 350)) (= h (* scale 300)))]
- [else (= w (send this get-width)) (= h (send this get-height))])
- (error 'x "wrong size reported by get-size: ~a ~a; w & h is ~a ~a"
- w h (send this get-width) (send this get-height))))
-
- (send dc set-clipping-region #f)
-
- (send dc end-page)
- (send dc end-doc)))
-
- 'done)])])
- (sequence (apply super-init args)))
- vp)])
- (make-object radio-box% #f '("Canvas" "Pixmap" "Bitmap" "Bad") hp0
- (lambda (self event)
- (set! use-bitmap? (< 0 (send self get-selection)))
- (set! depth-one? (< 1 (send self get-selection)))
- (set! use-bad? (< 2 (send self get-selection)))
- (send canvas on-paint))
- '(horizontal))
- (make-object button% "PS" hp
- (lambda (self event)
- (send canvas on-paint #t)))
- (make-object button% "Print" hp
- (lambda (self event)
- (send canvas on-paint 'print)))
- (make-object check-box% "*2" hp
- (lambda (self event)
- (send canvas set-scale (if (send self get-value) 2 1))))
- (make-object check-box% "+10" hp
- (lambda (self event)
- (send canvas set-offset (if (send self get-value) 10 0))))
- (make-object check-box% "Cyan" hp
- (lambda (self event)
- (set! cyan? (send self get-value))
- (send canvas on-paint)))
- (send (make-object check-box% "Icons" hp2
- (lambda (self event)
- (send canvas set-bitmaps (send self get-value))))
- set-value #t)
- (send (make-object check-box% "Stipples" hp2
- (lambda (self event)
- (send canvas set-stipples (send self get-value))))
- set-value #t)
- (make-object check-box% "Pixset" hp2
- (lambda (self event)
- (send canvas set-pixel-copy (send self get-value))))
- (make-object choice% "Clip"
- '("None" "Rectangle" "Octagon" "Circle" "Round Rectangle"
- "Rectangle + Octagon" "Rectangle + Circle"
- "Octagon - Rectangle" "Rectangle & Octagon" "Polka")
- hp3
- (lambda (self event)
- (set! clip (list-ref
- '(none rect poly circle roundrect rect+poly rect+circle poly-rect poly&rect polka)
- (send self get-selection)))
- (send canvas on-paint)))
- (let ([clock (lambda (clip?)
- (thread (lambda ()
- (set! clock-clip? clip?)
- (let loop ([c 0][swapped? #f][start 0.][end 0.])
- (if (= c 32)
- (if swapped?
- (void)
- (loop 0 #t 0. 0.))
- (begin
- (set! clock-start (if swapped? end start))
- (set! clock-end (if swapped? start end))
- (send canvas on-paint)
- (sleep 0.25)
- (loop (add1 c) swapped? (+ start (/ pi 8)) (+ end (/ pi 16))))))
- (set! clock-clip? #f)
- (set! clock-start #f)
- (set! clock-end #f)
- (send canvas on-paint))))])
- (make-object button% "Clock" hp3 (lambda (b e) (clock #f)))
- (make-object button% "Clip Clock" hp3 (lambda (b e) (clock #t)))))
-
- (send f show #t))
-
-; Canvas, Pixmaps, and Bitmaps:
-; get-pixel
-; begin-set-pixel
-; end-set-pixel
-; set-pixel
diff --git a/collects/tests/mred/editor.ss b/collects/tests/mred/editor.ss
deleted file mode 100644
index a1794d08..00000000
--- a/collects/tests/mred/editor.ss
+++ /dev/null
@@ -1,66 +0,0 @@
-
-(when (not (defined? 'test))
- (load-relative "testing.ss"))
-
-;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;
-;; Editor Tests ;;
-;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;
-
-;;;;;; Undo tests
-
-(define e (make-object text%))
-
-(stv e insert "Hello")
-(st #t e is-modified?)
-(stv e undo)
-(st #f e is-modified?)
-(stv e redo)
-(st #t e is-modified?)
-(stv e set-modified #f)
-(st #f e is-modified?)
-(stv e undo)
-(st #t e is-modified?)
-(stv e redo)
-(st #f e is-modified?)
-(stv e undo)
-(st #t e is-modified?)
-(stv e redo)
-(st #f e is-modified?)
-(stv e undo)
-(stv e set-modified #f)
-(st #f e is-modified?)
-(stv e redo)
-(st #t e is-modified?)
-(st "Hello" e get-text)
-(define undone? #f)
-(stv e add-undo (letrec ([f (lambda ()
- (set! undone? #t)
- (send e add-undo f) ; reinstall self!
- #f)])
- f))
-(stv e undo)
-(st "Hello" e get-text)
-(test #t 'undone? undone?)
-(stv e undo)
-(st "" e get-text)
-(set! undone? #f)
-(stv e redo)
-(st "Hello" e get-text)
-(test #f 'undone? undone?)
-(stv e redo)
-(st "Hello" e get-text)
-(test #t 'undone? undone?)
-(set! undone? #f)
-(stv e redo)
-(st "Hello" e get-text)
-(test #f 'undone? undone?)
-(stv e insert "x")
-(st "Hellox" e get-text)
-(stv e add-undo (lambda ()
- (set! undone? #t)
- #t)) ; do next one, too
-(stv e undo)
-(test #t 'undone? undone?)
-(st "Hello" e get-text)
-
-(report-errs)
diff --git a/collects/tests/mred/frame-edit.ss b/collects/tests/mred/frame-edit.ss
deleted file mode 100644
index 5add33dd..00000000
--- a/collects/tests/mred/frame-edit.ss
+++ /dev/null
@@ -1,73 +0,0 @@
-;; this file tests frames with various edits in them
-
-(define testing-frame #f)
-
-(define test-frame/edit
- (lambda (frame% edit% title)
- (let* ([frame (make-object
- (class frame% args
- (public [get-edit% (lambda () edit%)])
- (inherit show)
- (sequence (apply super-init args))))]
- [edit (send frame get-edit)]
- [string-good "test insert"]
- [string-bad "SHOULD NOT SEE THIS"]
- [get-insertion
- (lambda (string)
- (if (is-a? edit wx:media-edit%)
- string
- (let ([snip (make-object wx:media-snip%)]
- [snip-e (make-object mred:media-edit%)])
- (send snip set-media snip-e)
- (send snip-e insert string)
- snip)))])
- (set! testing-frame frame)
- (send frame set-title-prefix title)
- (send frame show #t)
- (send edit insert (get-insertion string-good))
- (send edit lock #t)
- (send edit insert (get-insertion string-bad))
- (send edit lock #f))))
-
-(define continue? #t)
-
-(define close-down
- (lambda ()
- (let ([answer (mred:get-choice "Continue the test suite?"
- "Yes" "No"
- "connections test suite")])
- (when (send testing-frame on-close)
- (send testing-frame show #f))
- (unless answer
- (error 'close-down)))))
-
-(define-macro frame/edit
- (lambda (frame% edit%)
- `(when continue?
- (printf "testing frame: ~a edit: ~a~n" ',frame% ',edit%)
- (test-frame/edit ,frame% ,edit% (format "~a ~a" ',frame% ',edit%)))))
-
-(define searching-frame% (mred:make-searchable-frame% mred:simple-menu-frame%))
-(define searching-info-frame% (mred:make-searchable-frame% mred:info-frame%))
-
-(frame/edit mred:pasteboard-frame% mred:pasteboard%) (close-down)
-(frame/edit mred:simple-menu-frame% mred:media-edit%) (close-down)
-(frame/edit searching-frame% mred:media-edit%) (close-down)
-
-(frame/edit mred:info-frame% mred:info-edit%) (close-down)
-
-(frame/edit searching-info-frame% mred:searching-edit%)
-(mred:find-string (send testing-frame get-canvas)
- null
- 0 0 (list 'ignore-case))
-(close-down)
-
-(frame/edit mred:info-frame% mred:clever-file-format-edit%) (close-down)
-(frame/edit mred:info-frame% mred:file-edit%) (close-down)
-(frame/edit mred:info-frame% mred:backup-autosave-edit%) (close-down)
-(frame/edit mred:info-frame% mred:scheme-mode-edit%) (close-down)
-
-(frame/edit searching-info-frame% mred:clever-file-format-edit%) (close-down)
-(frame/edit searching-info-frame% mred:file-edit%) (close-down)
-(frame/edit searching-info-frame% mred:backup-autosave-edit%) (close-down)
-(frame/edit searching-info-frame% mred:scheme-mode-edit%) (close-down)
diff --git a/collects/tests/mred/frame-steps.txt b/collects/tests/mred/frame-steps.txt
deleted file mode 100644
index ec3051fd..00000000
--- a/collects/tests/mred/frame-steps.txt
+++ /dev/null
@@ -1,277 +0,0 @@
-
-These instructions go with the "item.ss" MrEd test file. You probably
-got them by clicking on the "Get Instructions" button.
-
-This file mostly contains instructions for running the "Make Big
-Frame" and "Make Medium Frame" tests. "Big" and "Medium" are silly
-names; they're essentially the same set of tests, but for different
-sets of controls. There are just too many kinds of controls to fit in
-one frame.
-
-The clock in the upper right of the "Test Selector" frame should
-increment every second.
-
-The buttons at the bottom of the Selector frame open little frames for
-testing individual control types in detail. Those frames come with
-their own instructions.
-
-Make XXX Frame
---------------
-
-Big Frame should contain the following on the left:
-
- Message (a message) (a message)
- Hello (a button)
- (a button)
- List (a list box)
- Apple
- Banana
- Coconut & Donut
- Check (a check box)
- (a check box)
- Radio (a radio box)
- First
- Second
- Third
- Image Radio (a check box)
-
-
- Choice (a choice item)
- Alpha
- Beta
- Gamma
- Delta & Rest
- Text (a text field)
- initial & starting
-
-Medium Frame should contain:
-
- H Slider (a horizontal slider)
- V Slider (a vertical slider)
- H Gauge (a horizontal slider)
- V Gauge (a vertical slider)
- Text (a multi-line text field)
- initial & starting
-
-The names on labels must match the above exactly (except that <>
-indicates an image). Watch out for letters that are dropped or
-&s that are dropped.
-
-Make sure all the controls with moving parts work.
-
-Tabbing and arrow keys should work correctly. The canvas in the bottom
-middle area does not receive the focus via tabs in Big Frame, but it
-does in Medium Frame. When it receives the focus via a tab, "Tab in"
-is drawn in the canvas; when the focus leaves the canvas for any reason
-(tab out, mouse click somewhere else, etc.), "Tab in" is erased.
-
-Window Resizing
----------------
-
-Stretch the window vertically. Stretch it horizontally. Unless the
-frame was created with "all stechy" on, then messages, buttons, check
-boxes, and radio boxes should not stretch. Choice and text items
-should only strech horizontally. Sliders and gauges should only
-resize in the major direction.
-
-If "all stretchy" was on, then everything in the left column should
-stretch both directions.
-
-Show and Hide
--------------
-
-The second column in the window starts with "Hide and Show". Click it
-and see that the frame disappears and reappears. The remaining
-checkboxes can be un-checked to hide items. The first two hide
-everything in the left column. The remained hide the corresponding
-item on the left.
-
-Click on the canvas at the bottom of the second column. A popup menu
-should accurately report the local visibility of each control. (If a
-control is shown but the panel is hidden, the menu should still say
-SHOWN.)
-
-
- * hide/show all the controls through each panel
- checkbox; the menu should say SHOWN for all
- items
-
- * click each checkbox to hide an item, then click
- again to show it before moving to the next item;
- check the popup menu for accuracy before and after
- re-showing
-
- * hide all of the controls, then hide and unhide the
- whole panel (one of the top checkboxes); unhiding
- should not show the hidden controls; unhide one
- or two to convince yourself that the panel is
- unhid
-
- * hide the panel and unhide all of the controls;
- you should not see any of them; then unhide the
- panel; they should all appear
-
- * hide the panel; hide all the controls; unhide the
- panel (the controls should not appear); unhide
- all the controls
-
- * repeat the three steps above with the other panel checkbox
-
-Enable and Disable
-------------------
-
-The third column contains checkboxes for enabling things. Note that
-each radio button has its own enabler, as well as the whole radio
-box. Try each one, clicking on the item to make sure it's really
-disabled.
-
- * enable/disable all the controls through each panel
- checkbox
-
- * click each checkbox to disble an item; click on the
- item to make sure it's disabled; recheck the checkbox;
- make sure the item is re-enebaled
-
- * disable all the controls; disable and re-enable the
- whole panel; make sure the controls are still disabled
-
- * disable the panel; re-enable the individual controls;
- make sure the controls are still not enabled; re-enable
- the panel and check that the controls are enabled
-
- * disbale the panel; diable all the controls; enable the
- panel and make sure the controls are still disabled;
- enable all the controls
-
- * repeat the three steps above with the other panel checkbox
-
- * repeat the three steps for radioboxes and radio items,
- sintead of panels and controls
-
-Relabeling
-----------
-
-The buttons in the fourth column toggle the labels on items. The
-control should not resize itself for the new label.
-
-For text labels, the new label is XXXXXXXXX. For icon labels,
-it depends:
-
- - message:
- - button:
- - checbox:
-
-Note that radio items can't be relabelled.
-
-Be sure to click each button twice, to make sure that the original
-label is restored.
-
-Cursors
--------
-
-Checking "Control Bullseye Cursors" should change the cursor over
-every control in the left column, plus the canvas in the second
-column. The cursor should only apply to the "client area" of a
-control, not the label if it is outside the control. The cursor should
-be normal everywhere else.
-
-Checking "Frame Cross Cursor" should change the cursor in the
-frame to a cross. It sets the cursor for the controls only when
-"Controls Bullseye Cursors" is not set.
-
-Checking "Busy Cursor" should change the cursor to a watch everywhere
-in the frame's eventspace. It overrides all other cursor settings.
-
-Combinations to try:
-
- * Bull only - just controls changed
- * Cross only - all of frame changed
- * Bull + Cross - controls are bullseye, cross everywhere else
- - Uncheck Cross and make sure Bull still works
- - Recheck Cross, uncheck Bull and make sure Cross works on
- controls
- * Busy only - everywhere changed
- * Busy + Cross - everywhere changed
- - Uncheck Busy and make sure Cross still works
- - Recheck Busy, uncheck cross and make sure Busy still works
- - Uncheck Busy and make sure Cross is still off
- * Busy + Bull - everywhere changed
- (same as above, but for Bull)
- * Busy + Bull + Cross - everywhere changed
- - Uncheck Busy and verify Bull + Cross
- (that's enough)
-
-Also, while the busy cursor is on, try creating a new Big/Medium Frame
-and make sure that the busy cursor is active in the new frame and over
-all controls in the new frame.
-
-Popup Menus (Big Frame)
------------
-
-Hide something. Left-click on the canvas to see the SHOW state.
-Unhide that something. RIGHT-click on the canvas to get the old
- SHOW state. Then left-click to see the new SHOW state.
-Left-click and pick some item; verify that the canvas shows the
- select index (counting from 1)
-Right-click and pick some item; verify that the canvas shows the
- selected index (counting from 1)
-
-Focus Info
-----------
-
-Under "Enable Text", the current focus is show as:
- label value
- Sometimes label is () for null (no label)
- Sometimes value is just #