(copy-list): Moved back from subr.el.
[bpt/emacs.git] / lisp / subr.el
CommitLineData
c88ab9ce 1;;; subr.el --- basic lisp subroutines for Emacs
630cc463 2
2c642c03 3;; Copyright (C) 1985, 86, 92, 94, 95, 99, 2000, 2001, 2002
fe10cef0 4;; Free Software Foundation, Inc.
be9b65ac 5
30764597
PJ
6;; Maintainer: FSF
7;; Keywords: internal
8
be9b65ac
DL
9;; This file is part of GNU Emacs.
10
11;; GNU Emacs is free software; you can redistribute it and/or modify
12;; it under the terms of the GNU General Public License as published by
492878e4 13;; the Free Software Foundation; either version 2, or (at your option)
be9b65ac
DL
14;; any later version.
15
16;; GNU Emacs is distributed in the hope that it will be useful,
17;; but WITHOUT ANY WARRANTY; without even the implied warranty of
18;; MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
19;; GNU General Public License for more details.
20
21;; You should have received a copy of the GNU General Public License
b578f267
EN
22;; along with GNU Emacs; see the file COPYING. If not, write to the
23;; Free Software Foundation, Inc., 59 Temple Place - Suite 330,
24;; Boston, MA 02111-1307, USA.
be9b65ac 25
60370d40
PJ
26;;; Commentary:
27
630cc463 28;;; Code:
77a5664f
RS
29(defvar custom-declare-variable-list nil
30 "Record `defcustom' calls made before `custom.el' is loaded to handle them.
31Each element of this list holds the arguments to one call to `defcustom'.")
32
68e3e5f5 33;; Use this, rather than defcustom, in subr.el and other files loaded
77a5664f
RS
34;; before custom.el.
35(defun custom-declare-variable-early (&rest arguments)
36 (setq custom-declare-variable-list
37 (cons arguments custom-declare-variable-list)))
2c642c03
GM
38
39\f
40(defun macro-declaration-function (macro decl)
41 "Process a declaration found in a macro definition.
42This is set as the value of the variable `macro-declaration-function'.
43MACRO is the name of the macro being defined.
44DECL is a list `(declare ...)' containing the declarations.
45The return value of this function is not used."
46 (dolist (d (cdr decl))
47 (cond ((and (consp d) (eq (car d) 'indent))
48 (put macro 'lisp-indent-function (cadr d)))
49 ((and (consp d) (eq (car d) 'debug))
50 (put macro 'edebug-form-spec (cadr d)))
51 (t
52 (message "Unknown declaration %s" d)))))
53
54(setq macro-declaration-function 'macro-declaration-function)
55
9a5336ae
JB
56\f
57;;;; Lisp language features.
58
0764e16f
SM
59(defalias 'not 'null)
60
9a5336ae
JB
61(defmacro lambda (&rest cdr)
62 "Return a lambda expression.
63A call of the form (lambda ARGS DOCSTRING INTERACTIVE BODY) is
64self-quoting; the result of evaluating the lambda expression is the
65expression itself. The lambda expression may then be treated as a
bec0d7f9
RS
66function, i.e., stored as the function value of a symbol, passed to
67funcall or mapcar, etc.
68
9a5336ae 69ARGS should take the same form as an argument list for a `defun'.
8fd68088
RS
70DOCSTRING is an optional documentation string.
71 If present, it should describe how to call the function.
72 But documentation strings are usually not useful in nameless functions.
9a5336ae
JB
73INTERACTIVE should be a call to the function `interactive', which see.
74It may also be omitted.
75BODY should be a list of lisp expressions."
76 ;; Note that this definition should not use backquotes; subr.el should not
77 ;; depend on backquote.el.
78 (list 'function (cons 'lambda cdr)))
79
1be152fc 80(defmacro push (newelt listname)
fa65505b 81 "Add NEWELT to the list stored in the symbol LISTNAME.
1be152fc 82This is equivalent to (setq LISTNAME (cons NEWELT LISTNAME)).
d270117a 83LISTNAME must be a symbol."
22d85d00
DL
84 (list 'setq listname
85 (list 'cons newelt listname)))
d270117a
RS
86
87(defmacro pop (listname)
88 "Return the first element of LISTNAME's value, and remove it from the list.
89LISTNAME must be a symbol whose value is a list.
90If the value is nil, `pop' returns nil but does not actually
91change the list."
92 (list 'prog1 (list 'car listname)
93 (list 'setq listname (list 'cdr listname))))
94
debff3c3 95(defmacro when (cond &rest body)
b021ef18 96 "If COND yields non-nil, do BODY, else return nil."
debff3c3 97 (list 'if cond (cons 'progn body)))
9a5336ae 98
debff3c3 99(defmacro unless (cond &rest body)
b021ef18 100 "If COND yields nil, do BODY, else return nil."
debff3c3 101 (cons 'if (cons cond (cons nil body))))
d370591d 102
a0b0756a
RS
103(defmacro dolist (spec &rest body)
104 "(dolist (VAR LIST [RESULT]) BODY...): loop over a list.
105Evaluate BODY with VAR bound to each car from LIST, in turn.
106Then evaluate RESULT to get return value, default nil."
e4295aa1
RS
107 (let ((temp (make-symbol "--dolist-temp--")))
108 (list 'let (list (list temp (nth 1 spec)) (car spec))
109 (list 'while temp
110 (list 'setq (car spec) (list 'car temp))
111 (cons 'progn
112 (append body
113 (list (list 'setq temp (list 'cdr temp))))))
114 (if (cdr (cdr spec))
115 (cons 'progn
116 (cons (list 'setq (car spec) nil) (cdr (cdr spec))))))))
a0b0756a
RS
117
118(defmacro dotimes (spec &rest body)
119 "(dotimes (VAR COUNT [RESULT]) BODY...): loop a certain number of times.
120Evaluate BODY with VAR bound to successive integers running from 0,
121inclusive, to COUNT, exclusive. Then evaluate RESULT to get
122the return value (nil if RESULT is omitted)."
e4295aa1
RS
123 (let ((temp (make-symbol "--dotimes-temp--")))
124 (list 'let (list (list temp (nth 1 spec)) (list (car spec) 0))
125 (list 'while (list '< (car spec) temp)
126 (cons 'progn
127 (append body (list (list 'setq (car spec)
128 (list '1+ (car spec)))))))
129 (if (cdr (cdr spec))
130 (car (cdr (cdr spec)))
131 nil))))
a0b0756a 132
d370591d
RS
133(defsubst caar (x)
134 "Return the car of the car of X."
135 (car (car x)))
136
137(defsubst cadr (x)
138 "Return the car of the cdr of X."
139 (car (cdr x)))
140
141(defsubst cdar (x)
142 "Return the cdr of the car of X."
143 (cdr (car x)))
144
145(defsubst cddr (x)
146 "Return the cdr of the cdr of X."
147 (cdr (cdr x)))
e8c32c99 148
369fba5f
RS
149(defun last (x &optional n)
150 "Return the last link of the list X. Its car is the last element.
151If X is nil, return nil.
152If N is non-nil, return the Nth-to-last link of X.
153If N is bigger than the length of X, return X."
154 (if n
155 (let ((m 0) (p x))
156 (while (consp p)
157 (setq m (1+ m) p (cdr p)))
158 (if (<= n 0) p
159 (if (< n m) (nthcdr (- m n) x) x)))
6bfdc2e2 160 (while (consp (cdr x))
369fba5f
RS
161 (setq x (cdr x)))
162 x))
526d204e 163
1c1c65de
KH
164(defun butlast (x &optional n)
165 "Returns a copy of LIST with the last N elements removed."
166 (if (and n (<= n 0)) x
167 (nbutlast (copy-sequence x) n)))
168
169(defun nbutlast (x &optional n)
170 "Modifies LIST to remove the last N elements."
171 (let ((m (length x)))
172 (or n (setq n 1))
173 (and (< n m)
174 (progn
175 (if (> n 0) (setcdr (nthcdr (- (1- m) n) x) nil))
176 x))))
177
13157efc 178(defun remove (elt seq)
963f49a2 179 "Return a copy of SEQ with all occurrences of ELT removed.
13157efc
GM
180SEQ must be a list, vector, or string. The comparison is done with `equal'."
181 (if (nlistp seq)
182 ;; If SEQ isn't a list, there's no need to copy SEQ because
183 ;; `delete' will return a new object.
184 (delete elt seq)
185 (delete elt (copy-sequence seq))))
186
187(defun remq (elt list)
188 "Return a copy of LIST with all occurences of ELT removed.
189The comparison is done with `eq'."
190 (if (memq elt list)
191 (delq elt (copy-sequence list))
192 list))
193
a176c9eb
CW
194(defun copy-list (list)
195 "Return a copy of a list, which may be a dotted list.
196The elements of the list are not copied, just the list structure itself."
197 (if (consp list)
198 (let ((res nil))
199 (while (consp list) (push (pop list) res))
200 (prog1 (nreverse res) (setcdr res list)))
201 (car list)))
202
203(defun copy-tree (tree &optional vecp)
204 "Make a copy of TREE.
205If TREE is a cons cell, this recursively copies both its car and its cdr.
206Contrast to copy-sequence, which copies only along the cdrs. With second
207argument VECP, this copies vectors as well as conses."
208 (if (consp tree)
209 (let ((p (setq tree (copy-list tree))))
210 (while (consp p)
211 (if (or (consp (car p)) (and vecp (vectorp (car p))))
212 (setcar p (copy-tree (car p) vecp)))
213 (or (listp (cdr p)) (setcdr p (copy-tree (cdr p) vecp)))
214 (cl-pop p)))
215 (if (and vecp (vectorp tree))
216 (let ((i (length (setq tree (copy-sequence tree)))))
217 (while (>= (setq i (1- i)) 0)
218 (aset tree i (copy-tree (aref tree i) vecp))))))
219 tree)
220
8a288450
RS
221(defun assoc-default (key alist &optional test default)
222 "Find object KEY in a pseudo-alist ALIST.
223ALIST is a list of conses or objects. Each element (or the element's car,
224if it is a cons) is compared with KEY by evaluating (TEST (car elt) KEY).
225If that is non-nil, the element matches;
226then `assoc-default' returns the element's cdr, if it is a cons,
526d204e 227or DEFAULT if the element is not a cons.
8a288450
RS
228
229If no element matches, the value is nil.
230If TEST is omitted or nil, `equal' is used."
231 (let (found (tail alist) value)
232 (while (and tail (not found))
233 (let ((elt (car tail)))
234 (when (funcall (or test 'equal) (if (consp elt) (car elt) elt) key)
235 (setq found t value (if (consp elt) (cdr elt) default))))
236 (setq tail (cdr tail)))
237 value))
98aae5f6
KH
238
239(defun assoc-ignore-case (key alist)
240 "Like `assoc', but ignores differences in case and text representation.
241KEY must be a string. Upper-case and lower-case letters are treated as equal.
242Unibyte strings are converted to multibyte for comparison."
243 (let (element)
244 (while (and alist (not element))
245 (if (eq t (compare-strings key 0 nil (car (car alist)) 0 nil t))
246 (setq element (car alist)))
247 (setq alist (cdr alist)))
248 element))
249
250(defun assoc-ignore-representation (key alist)
251 "Like `assoc', but ignores differences in text representation.
252KEY must be a string.
253Unibyte strings are converted to multibyte for comparison."
254 (let (element)
255 (while (and alist (not element))
256 (if (eq t (compare-strings key 0 nil (car (car alist)) 0 nil))
257 (setq element (car alist)))
258 (setq alist (cdr alist)))
259 element))
cbbc3205
GM
260
261(defun member-ignore-case (elt list)
262 "Like `member', but ignores differences in case and text representation.
263ELT must be a string. Upper-case and lower-case letters are treated as equal.
d86a3084
RS
264Unibyte strings are converted to multibyte for comparison.
265Non-strings in LIST are ignored."
266 (while (and list
267 (not (and (stringp (car list))
268 (eq t (compare-strings elt 0 nil (car list) 0 nil t)))))
242c13e8
MB
269 (setq list (cdr list)))
270 list)
cbbc3205 271
9a5336ae 272\f
9a5336ae 273;;;; Keymap support.
be9b65ac
DL
274
275(defun undefined ()
276 (interactive)
277 (ding))
278
279;Prevent the \{...} documentation construct
280;from mentioning keys that run this command.
281(put 'undefined 'suppress-keymap t)
282
283(defun suppress-keymap (map &optional nodigits)
284 "Make MAP override all normally self-inserting keys to be undefined.
285Normally, as an exception, digits and minus-sign are set to make prefix args,
286but optional second arg NODIGITS non-nil treats them like other chars."
80e7b471 287 (substitute-key-definition 'self-insert-command 'undefined map global-map)
be9b65ac
DL
288 (or nodigits
289 (let (loop)
290 (define-key map "-" 'negative-argument)
291 ;; Make plain numbers do numeric args.
292 (setq loop ?0)
293 (while (<= loop ?9)
294 (define-key map (char-to-string loop) 'digit-argument)
295 (setq loop (1+ loop))))))
296
be9b65ac
DL
297;Moved to keymap.c
298;(defun copy-keymap (keymap)
299; "Return a copy of KEYMAP"
300; (while (not (keymapp keymap))
301; (setq keymap (signal 'wrong-type-argument (list 'keymapp keymap))))
302; (if (vectorp keymap)
303; (copy-sequence keymap)
304; (copy-alist keymap)))
305
f14dbba7
KH
306(defvar key-substitution-in-progress nil
307 "Used internally by substitute-key-definition.")
308
7f2c2edd 309(defun substitute-key-definition (olddef newdef keymap &optional oldmap prefix)
be9b65ac
DL
310 "Replace OLDDEF with NEWDEF for any keys in KEYMAP now defined as OLDDEF.
311In other words, OLDDEF is replaced with NEWDEF where ever it appears.
4656b314 312Alternatively, if optional fourth argument OLDMAP is specified, we redefine
ff77cf40 313in KEYMAP as NEWDEF those keys which are defined as OLDDEF in OLDMAP."
739f2672
GM
314 ;; Don't document PREFIX in the doc string because we don't want to
315 ;; advertise it. It's meant for recursive calls only. Here's its
316 ;; meaning
317
318 ;; If optional argument PREFIX is specified, it should be a key
319 ;; prefix, a string. Redefined bindings will then be bound to the
320 ;; original key, with PREFIX added at the front.
7f2c2edd
RS
321 (or prefix (setq prefix ""))
322 (let* ((scan (or oldmap keymap))
323 (vec1 (vector nil))
f14dbba7
KH
324 (prefix1 (vconcat prefix vec1))
325 (key-substitution-in-progress
326 (cons scan key-substitution-in-progress)))
7f2c2edd
RS
327 ;; Scan OLDMAP, finding each char or event-symbol that
328 ;; has any definition, and act on it with hack-key.
329 (while (consp scan)
330 (if (consp (car scan))
331 (let ((char (car (car scan)))
332 (defn (cdr (car scan))))
333 ;; The inside of this let duplicates exactly
334 ;; the inside of the following let that handles array elements.
335 (aset vec1 0 char)
336 (aset prefix1 (length prefix) char)
44d798af 337 (let (inner-def skipped)
7f2c2edd
RS
338 ;; Skip past menu-prompt.
339 (while (stringp (car-safe defn))
44d798af 340 (setq skipped (cons (car defn) skipped))
7f2c2edd 341 (setq defn (cdr defn)))
e025dddf
RS
342 ;; Skip past cached key-equivalence data for menu items.
343 (and (consp defn) (consp (car defn))
344 (setq defn (cdr defn)))
7f2c2edd 345 (setq inner-def defn)
e025dddf 346 ;; Look past a symbol that names a keymap.
7f2c2edd
RS
347 (while (and (symbolp inner-def)
348 (fboundp inner-def))
349 (setq inner-def (symbol-function inner-def)))
328a37ec
RS
350 (if (or (eq defn olddef)
351 ;; Compare with equal if definition is a key sequence.
352 ;; That is useful for operating on function-key-map.
353 (and (or (stringp defn) (vectorp defn))
354 (equal defn olddef)))
44d798af 355 (define-key keymap prefix1 (nconc (nreverse skipped) newdef))
f14dbba7 356 (if (and (keymapp defn)
350b7567
RS
357 ;; Avoid recursively scanning
358 ;; where KEYMAP does not have a submap.
afd9831b
RS
359 (let ((elt (lookup-key keymap prefix1)))
360 (or (null elt)
361 (keymapp elt)))
350b7567 362 ;; Avoid recursively rescanning keymap being scanned.
f14dbba7
KH
363 (not (memq inner-def
364 key-substitution-in-progress)))
e025dddf
RS
365 ;; If this one isn't being scanned already,
366 ;; scan it now.
7f2c2edd
RS
367 (substitute-key-definition olddef newdef keymap
368 inner-def
369 prefix1)))))
916cc49f 370 (if (vectorp (car scan))
7f2c2edd
RS
371 (let* ((array (car scan))
372 (len (length array))
373 (i 0))
374 (while (< i len)
375 (let ((char i) (defn (aref array i)))
376 ;; The inside of this let duplicates exactly
377 ;; the inside of the previous let.
378 (aset vec1 0 char)
379 (aset prefix1 (length prefix) char)
44d798af 380 (let (inner-def skipped)
7f2c2edd
RS
381 ;; Skip past menu-prompt.
382 (while (stringp (car-safe defn))
44d798af 383 (setq skipped (cons (car defn) skipped))
7f2c2edd 384 (setq defn (cdr defn)))
e025dddf
RS
385 (and (consp defn) (consp (car defn))
386 (setq defn (cdr defn)))
7f2c2edd
RS
387 (setq inner-def defn)
388 (while (and (symbolp inner-def)
389 (fboundp inner-def))
390 (setq inner-def (symbol-function inner-def)))
328a37ec
RS
391 (if (or (eq defn olddef)
392 (and (or (stringp defn) (vectorp defn))
393 (equal defn olddef)))
44d798af
RS
394 (define-key keymap prefix1
395 (nconc (nreverse skipped) newdef))
f14dbba7 396 (if (and (keymapp defn)
afd9831b
RS
397 (let ((elt (lookup-key keymap prefix1)))
398 (or (null elt)
399 (keymapp elt)))
f14dbba7
KH
400 (not (memq inner-def
401 key-substitution-in-progress)))
7f2c2edd
RS
402 (substitute-key-definition olddef newdef keymap
403 inner-def
404 prefix1)))))
97fd9abf
RS
405 (setq i (1+ i))))
406 (if (char-table-p (car scan))
407 (map-char-table
408 (function (lambda (char defn)
409 (let ()
410 ;; The inside of this let duplicates exactly
411 ;; the inside of the previous let,
412 ;; except that it uses set-char-table-range
413 ;; instead of define-key.
414 (aset vec1 0 char)
415 (aset prefix1 (length prefix) char)
416 (let (inner-def skipped)
417 ;; Skip past menu-prompt.
418 (while (stringp (car-safe defn))
419 (setq skipped (cons (car defn) skipped))
420 (setq defn (cdr defn)))
421 (and (consp defn) (consp (car defn))
422 (setq defn (cdr defn)))
423 (setq inner-def defn)
424 (while (and (symbolp inner-def)
425 (fboundp inner-def))
426 (setq inner-def (symbol-function inner-def)))
427 (if (or (eq defn olddef)
428 (and (or (stringp defn) (vectorp defn))
429 (equal defn olddef)))
9a5114ac
RS
430 (define-key keymap prefix1
431 (nconc (nreverse skipped) newdef))
97fd9abf
RS
432 (if (and (keymapp defn)
433 (let ((elt (lookup-key keymap prefix1)))
434 (or (null elt)
435 (keymapp elt)))
436 (not (memq inner-def
437 key-substitution-in-progress)))
438 (substitute-key-definition olddef newdef keymap
439 inner-def
440 prefix1)))))))
441 (car scan)))))
7f2c2edd 442 (setq scan (cdr scan)))))
9a5336ae 443
4ced66fd 444(defun define-key-after (keymap key definition &optional after)
4434d61b
RS
445 "Add binding in KEYMAP for KEY => DEFINITION, right after AFTER's binding.
446This is like `define-key' except that the binding for KEY is placed
447just after the binding for the event AFTER, instead of at the beginning
c34a9d34
RS
448of the map. Note that AFTER must be an event type (like KEY), NOT a command
449\(like DEFINITION).
450
4ced66fd 451If AFTER is t or omitted, the new binding goes at the end of the keymap.
08b1f8a1 452AFTER should be a single event type--a symbol or a character, not a sequence.
c34a9d34 453
4ced66fd 454Bindings are always added before any inherited map.
c34a9d34 455
4ced66fd
DL
456The order of bindings in a keymap matters when it is used as a menu."
457 (unless after (setq after t))
4434d61b
RS
458 (or (keymapp keymap)
459 (signal 'wrong-type-argument (list 'keymapp keymap)))
08b1f8a1
GM
460 (setq key
461 (if (<= (length key) 1) (aref key 0)
462 (setq keymap (lookup-key keymap
463 (apply 'vector
464 (butlast (mapcar 'identity key)))))
465 (aref key (1- (length key)))))
466 (let ((tail keymap) done inserted)
4434d61b
RS
467 (while (and (not done) tail)
468 ;; Delete any earlier bindings for the same key.
08b1f8a1 469 (if (eq (car-safe (car (cdr tail))) key)
4434d61b 470 (setcdr tail (cdr (cdr tail))))
08b1f8a1
GM
471 ;; If we hit an included map, go down that one.
472 (if (keymapp (car tail)) (setq tail (car tail)))
4434d61b
RS
473 ;; When we reach AFTER's binding, insert the new binding after.
474 ;; If we reach an inherited keymap, insert just before that.
113d28a8 475 ;; If we reach the end of this keymap, insert at the end.
c34a9d34
RS
476 (if (or (and (eq (car-safe (car tail)) after)
477 (not (eq after t)))
113d28a8
RS
478 (eq (car (cdr tail)) 'keymap)
479 (null (cdr tail)))
4434d61b 480 (progn
113d28a8
RS
481 ;; Stop the scan only if we find a parent keymap.
482 ;; Keep going past the inserted element
483 ;; so we can delete any duplications that come later.
484 (if (eq (car (cdr tail)) 'keymap)
485 (setq done t))
486 ;; Don't insert more than once.
487 (or inserted
08b1f8a1 488 (setcdr tail (cons (cons key definition) (cdr tail))))
113d28a8 489 (setq inserted t)))
4434d61b
RS
490 (setq tail (cdr tail)))))
491
51fa3961 492
d128fe85
RS
493(defmacro kbd (keys)
494 "Convert KEYS to the internal Emacs key representation.
495KEYS should be a string constant in the format used for
496saving keyboard macros (see `insert-kbd-macro')."
497 (read-kbd-macro keys))
498
8bed5e3d
RS
499(put 'keyboard-translate-table 'char-table-extra-slots 0)
500
9a5336ae
JB
501(defun keyboard-translate (from to)
502 "Translate character FROM to TO at a low level.
503This function creates a `keyboard-translate-table' if necessary
504and then modifies one entry in it."
8bed5e3d
RS
505 (or (char-table-p keyboard-translate-table)
506 (setq keyboard-translate-table
507 (make-char-table 'keyboard-translate-table nil)))
9a5336ae
JB
508 (aset keyboard-translate-table from to))
509
510\f
511;;;; The global keymap tree.
512
513;;; global-map, esc-map, and ctl-x-map have their values set up in
514;;; keymap.c; we just give them docstrings here.
515
516(defvar global-map nil
517 "Default global keymap mapping Emacs keyboard input into commands.
518The value is a keymap which is usually (but not necessarily) Emacs's
519global map.")
520
521(defvar esc-map nil
522 "Default keymap for ESC (meta) commands.
523The normal global definition of the character ESC indirects to this keymap.")
524
525(defvar ctl-x-map nil
526 "Default keymap for C-x commands.
527The normal global definition of the character C-x indirects to this keymap.")
528
529(defvar ctl-x-4-map (make-sparse-keymap)
03eeb110 530 "Keymap for subcommands of C-x 4.")
059184dd 531(defalias 'ctl-x-4-prefix ctl-x-4-map)
9a5336ae
JB
532(define-key ctl-x-map "4" 'ctl-x-4-prefix)
533
534(defvar ctl-x-5-map (make-sparse-keymap)
535 "Keymap for frame commands.")
059184dd 536(defalias 'ctl-x-5-prefix ctl-x-5-map)
9a5336ae
JB
537(define-key ctl-x-map "5" 'ctl-x-5-prefix)
538
0f03054a 539\f
9a5336ae
JB
540;;;; Event manipulation functions.
541
da16e648
KH
542;; The call to `read' is to ensure that the value is computed at load time
543;; and not compiled into the .elc file. The value is negative on most
544;; machines, but not on all!
545(defconst listify-key-sequence-1 (logior 128 (read "?\\M-\\^@")))
114137b8 546
cde6d7e3
RS
547(defun listify-key-sequence (key)
548 "Convert a key sequence to a list of events."
549 (if (vectorp key)
550 (append key nil)
551 (mapcar (function (lambda (c)
552 (if (> c 127)
114137b8 553 (logxor c listify-key-sequence-1)
cde6d7e3
RS
554 c)))
555 (append key nil))))
556
53e5a4e8
RS
557(defsubst eventp (obj)
558 "True if the argument is an event object."
559 (or (integerp obj)
560 (and (symbolp obj)
561 (get obj 'event-symbol-elements))
562 (and (consp obj)
563 (symbolp (car obj))
564 (get (car obj) 'event-symbol-elements))))
565
566(defun event-modifiers (event)
567 "Returns a list of symbols representing the modifier keys in event EVENT.
568The elements of the list may include `meta', `control',
32295976
RS
569`shift', `hyper', `super', `alt', `click', `double', `triple', `drag',
570and `down'."
53e5a4e8
RS
571 (let ((type event))
572 (if (listp type)
573 (setq type (car type)))
574 (if (symbolp type)
575 (cdr (get type 'event-symbol-elements))
576 (let ((list nil))
da16e648 577 (or (zerop (logand type ?\M-\^@))
53e5a4e8 578 (setq list (cons 'meta list)))
da16e648 579 (or (and (zerop (logand type ?\C-\^@))
53e5a4e8
RS
580 (>= (logand type 127) 32))
581 (setq list (cons 'control list)))
da16e648 582 (or (and (zerop (logand type ?\S-\^@))
53e5a4e8
RS
583 (= (logand type 255) (downcase (logand type 255))))
584 (setq list (cons 'shift list)))
da16e648 585 (or (zerop (logand type ?\H-\^@))
53e5a4e8 586 (setq list (cons 'hyper list)))
da16e648 587 (or (zerop (logand type ?\s-\^@))
53e5a4e8 588 (setq list (cons 'super list)))
da16e648 589 (or (zerop (logand type ?\A-\^@))
53e5a4e8
RS
590 (setq list (cons 'alt list)))
591 list))))
592
d63de416
RS
593(defun event-basic-type (event)
594 "Returns the basic type of the given event (all modifiers removed).
7a0485b2 595The value is a printing character (not upper case) or a symbol."
2b0f4ba5
JB
596 (if (consp event)
597 (setq event (car event)))
d63de416
RS
598 (if (symbolp event)
599 (car (get event 'event-symbol-elements))
600 (let ((base (logand event (1- (lsh 1 18)))))
601 (downcase (if (< base 32) (logior base 64) base)))))
602
0f03054a
RS
603(defsubst mouse-movement-p (object)
604 "Return non-nil if OBJECT is a mouse movement event."
605 (and (consp object)
606 (eq (car object) 'mouse-movement)))
607
608(defsubst event-start (event)
609 "Return the starting position of EVENT.
610If EVENT is a mouse press or a mouse click, this returns the location
611of the event.
612If EVENT is a drag, this returns the drag's starting position.
613The return value is of the form
e55c21be 614 (WINDOW BUFFER-POSITION (X . Y) TIMESTAMP)
0f03054a
RS
615The `posn-' functions access elements of such lists."
616 (nth 1 event))
617
618(defsubst event-end (event)
619 "Return the ending location of EVENT. EVENT should be a click or drag event.
620If EVENT is a click event, this function is the same as `event-start'.
621The return value is of the form
e55c21be 622 (WINDOW BUFFER-POSITION (X . Y) TIMESTAMP)
0f03054a 623The `posn-' functions access elements of such lists."
69b95560 624 (nth (if (consp (nth 2 event)) 2 1) event))
0f03054a 625
32295976
RS
626(defsubst event-click-count (event)
627 "Return the multi-click count of EVENT, a click or drag event.
628The return value is a positive integer."
629 (if (integerp (nth 2 event)) (nth 2 event) 1))
630
0f03054a
RS
631(defsubst posn-window (position)
632 "Return the window in POSITION.
633POSITION should be a list of the form
e55c21be 634 (WINDOW BUFFER-POSITION (X . Y) TIMESTAMP)
0f03054a
RS
635as returned by the `event-start' and `event-end' functions."
636 (nth 0 position))
637
638(defsubst posn-point (position)
639 "Return the buffer location in POSITION.
640POSITION should be a list of the form
e55c21be 641 (WINDOW BUFFER-POSITION (X . Y) TIMESTAMP)
0f03054a 642as returned by the `event-start' and `event-end' functions."
15db4e0e
JB
643 (if (consp (nth 1 position))
644 (car (nth 1 position))
645 (nth 1 position)))
0f03054a 646
e55c21be
RS
647(defsubst posn-x-y (position)
648 "Return the x and y coordinates in POSITION.
0f03054a 649POSITION should be a list of the form
e55c21be 650 (WINDOW BUFFER-POSITION (X . Y) TIMESTAMP)
0f03054a
RS
651as returned by the `event-start' and `event-end' functions."
652 (nth 2 position))
653
ed627e08 654(defun posn-col-row (position)
dbbcac56 655 "Return the column and row in POSITION, measured in characters.
e55c21be
RS
656POSITION should be a list of the form
657 (WINDOW BUFFER-POSITION (X . Y) TIMESTAMP)
ed627e08
RS
658as returned by the `event-start' and `event-end' functions.
659For a scroll-bar event, the result column is 0, and the row
660corresponds to the vertical position of the click in the scroll bar."
661 (let ((pair (nth 2 position))
662 (window (posn-window position)))
dbbcac56
KH
663 (if (eq (if (consp (nth 1 position))
664 (car (nth 1 position))
665 (nth 1 position))
ed627e08
RS
666 'vertical-scroll-bar)
667 (cons 0 (scroll-bar-scale pair (1- (window-height window))))
dbbcac56
KH
668 (if (eq (if (consp (nth 1 position))
669 (car (nth 1 position))
670 (nth 1 position))
ed627e08
RS
671 'horizontal-scroll-bar)
672 (cons (scroll-bar-scale pair (window-width window)) 0)
9ba60df9
RS
673 (let* ((frame (if (framep window) window (window-frame window)))
674 (x (/ (car pair) (frame-char-width frame)))
675 (y (/ (cdr pair) (frame-char-height frame))))
ed627e08 676 (cons x y))))))
e55c21be 677
0f03054a
RS
678(defsubst posn-timestamp (position)
679 "Return the timestamp of POSITION.
680POSITION should be a list of the form
e55c21be 681 (WINDOW BUFFER-POSITION (X . Y) TIMESTAMP)
f415c00c 682as returned by the `event-start' and `event-end' functions."
0f03054a 683 (nth 3 position))
9a5336ae 684
0f03054a 685\f
9a5336ae
JB
686;;;; Obsolescent names for functions.
687
059184dd
ER
688(defalias 'dot 'point)
689(defalias 'dot-marker 'point-marker)
690(defalias 'dot-min 'point-min)
691(defalias 'dot-max 'point-max)
692(defalias 'window-dot 'window-point)
693(defalias 'set-window-dot 'set-window-point)
694(defalias 'read-input 'read-string)
695(defalias 'send-string 'process-send-string)
696(defalias 'send-region 'process-send-region)
697(defalias 'show-buffer 'set-window-buffer)
698(defalias 'buffer-flush-undo 'buffer-disable-undo)
699(defalias 'eval-current-buffer 'eval-buffer)
700(defalias 'compiled-function-p 'byte-code-function-p)
ae1cc031 701(defalias 'define-function 'defalias)
be9b65ac 702
0cba3a0f 703(defalias 'sref 'aref)
2598a293
SM
704(make-obsolete 'sref 'aref "20.4")
705(make-obsolete 'char-bytes "Now this function always returns 1" "20.4")
6bb762b3 706
676927b7
PJ
707(defun insert-string (&rest args)
708 "Mocklisp-compatibility insert function.
709Like the function `insert' except that any argument that is a number
710is converted into a string by expressing it in decimal."
711 (dolist (el args)
712 (insert (if (integerp el) (number-to-string el) el))))
713
714(make-obsolete 'insert-string 'insert "21.3")
715
9a5336ae
JB
716;; Some programs still use this as a function.
717(defun baud-rate ()
bcacc42c
RS
718 "Obsolete function returning the value of the `baud-rate' variable.
719Please convert your programs to use the variable `baud-rate' directly."
9a5336ae
JB
720 baud-rate)
721
0a5c0893
MB
722(defalias 'focus-frame 'ignore)
723(defalias 'unfocus-frame 'ignore)
9a5336ae
JB
724\f
725;;;; Alternate names for functions - these are not being phased out.
726
059184dd
ER
727(defalias 'string= 'string-equal)
728(defalias 'string< 'string-lessp)
729(defalias 'move-marker 'set-marker)
059184dd
ER
730(defalias 'rplaca 'setcar)
731(defalias 'rplacd 'setcdr)
eb8c3be9 732(defalias 'beep 'ding) ;preserve lingual purity
059184dd
ER
733(defalias 'indent-to-column 'indent-to)
734(defalias 'backward-delete-char 'delete-backward-char)
735(defalias 'search-forward-regexp (symbol-function 're-search-forward))
736(defalias 'search-backward-regexp (symbol-function 're-search-backward))
737(defalias 'int-to-string 'number-to-string)
024ae2c6 738(defalias 'store-match-data 'set-match-data)
d6c22d46 739;; These are the XEmacs names:
475fb2fb
KH
740(defalias 'point-at-eol 'line-end-position)
741(defalias 'point-at-bol 'line-beginning-position)
37f6661a
JB
742
743;;; Should this be an obsolete name? If you decide it should, you get
744;;; to go through all the sources and change them.
059184dd 745(defalias 'string-to-int 'string-to-number)
be9b65ac 746\f
9a5336ae 747;;;; Hook manipulation functions.
be9b65ac 748
0e4d378b
RS
749(defun make-local-hook (hook)
750 "Make the hook HOOK local to the current buffer.
71c78f01
RS
751The return value is HOOK.
752
c344cf32
SM
753You never need to call this function now that `add-hook' does it for you
754if its LOCAL argument is non-nil.
755
0e4d378b
RS
756When a hook is local, its local and global values
757work in concert: running the hook actually runs all the hook
758functions listed in *either* the local value *or* the global value
759of the hook variable.
760
08b1f8a1 761This function works by making t a member of the buffer-local value,
7dd1926e
RS
762which acts as a flag to run the hook functions in the default value as
763well. This works for all normal hooks, but does not work for most
764non-normal hooks yet. We will be changing the callers of non-normal
765hooks so that they can handle localness; this has to be done one by
766one.
767
768This function does nothing if HOOK is already local in the current
769buffer.
0e4d378b
RS
770
771Do not use `make-local-variable' to make a hook variable buffer-local."
772 (if (local-variable-p hook)
773 nil
774 (or (boundp hook) (set hook nil))
775 (make-local-variable hook)
71c78f01
RS
776 (set hook (list t)))
777 hook)
08b1f8a1 778(make-obsolete 'make-local-hook "Not necessary any more." "21.1")
0e4d378b
RS
779
780(defun add-hook (hook function &optional append local)
32295976
RS
781 "Add to the value of HOOK the function FUNCTION.
782FUNCTION is not added if already present.
783FUNCTION is added (if necessary) at the beginning of the hook list
784unless the optional argument APPEND is non-nil, in which case
785FUNCTION is added at the end.
786
0e4d378b
RS
787The optional fourth argument, LOCAL, if non-nil, says to modify
788the hook's buffer-local value rather than its default value.
61a3d8c4
RS
789This makes the hook buffer-local if needed, and it makes t a member
790of the buffer-local value. That acts as a flag to run the hook
791functions in the default value as well as in the local value.
0e4d378b 792
32295976
RS
793HOOK should be a symbol, and FUNCTION may be any valid function. If
794HOOK is void, it is first set to nil. If HOOK's value is a single
aa09b5ca 795function, it is changed to a list of functions."
be9b65ac 796 (or (boundp hook) (set hook nil))
0e4d378b 797 (or (default-boundp hook) (set-default hook nil))
08b1f8a1
GM
798 (if local (unless (local-variable-if-set-p hook)
799 (set (make-local-variable hook) (list t)))
8947a5e2
SM
800 ;; Detect the case where make-local-variable was used on a hook
801 ;; and do what we used to do.
802 (unless (and (consp (symbol-value hook)) (memq t (symbol-value hook)))
803 (setq local t)))
804 (let ((hook-value (if local (symbol-value hook) (default-value hook))))
805 ;; If the hook value is a single function, turn it into a list.
806 (when (or (not (listp hook-value)) (eq (car hook-value) 'lambda))
2248c40d 807 (setq hook-value (list hook-value)))
8947a5e2
SM
808 ;; Do the actual addition if necessary
809 (unless (member function hook-value)
810 (setq hook-value
811 (if append
812 (append hook-value (list function))
813 (cons function hook-value))))
814 ;; Set the actual variable
815 (if local (set hook hook-value) (set-default hook hook-value))))
0e4d378b
RS
816
817(defun remove-hook (hook function &optional local)
24980d16
RS
818 "Remove from the value of HOOK the function FUNCTION.
819HOOK should be a symbol, and FUNCTION may be any valid function. If
820FUNCTION isn't the value of HOOK, or, if FUNCTION doesn't appear in the
0e4d378b
RS
821list of hooks to run in HOOK, then nothing is done. See `add-hook'.
822
823The optional third argument, LOCAL, if non-nil, says to modify
824the hook's buffer-local value rather than its default value.
08b1f8a1 825This makes the hook buffer-local if needed."
8947a5e2
SM
826 (or (boundp hook) (set hook nil))
827 (or (default-boundp hook) (set-default hook nil))
08b1f8a1
GM
828 (if local (unless (local-variable-if-set-p hook)
829 (set (make-local-variable hook) (list t)))
8947a5e2
SM
830 ;; Detect the case where make-local-variable was used on a hook
831 ;; and do what we used to do.
832 (unless (and (consp (symbol-value hook)) (memq t (symbol-value hook)))
833 (setq local t)))
834 (let ((hook-value (if local (symbol-value hook) (default-value hook))))
e4da9c1c
SM
835 ;; Remove the function, for both the list and the non-list cases.
836 (if (or (not (listp hook-value)) (eq (car hook-value) 'lambda))
837 (if (equal hook-value function) (setq hook-value nil))
838 (setq hook-value (delete function (copy-sequence hook-value))))
8947a5e2
SM
839 ;; If the function is on the global hook, we need to shadow it locally
840 ;;(when (and local (member function (default-value hook))
841 ;; (not (member (cons 'not function) hook-value)))
842 ;; (push (cons 'not function) hook-value))
843 ;; Set the actual variable
1087f3e6
RS
844 (if (not local)
845 (set-default hook hook-value)
846 (if (equal hook-value '(t))
847 (kill-local-variable hook)
848 (set hook hook-value)))))
6e3af630 849
c8bfa689 850(defun add-to-list (list-var element &optional append)
8851c1f0 851 "Add to the value of LIST-VAR the element ELEMENT if it isn't there yet.
9f0b1f09 852The test for presence of ELEMENT is done with `equal'.
c8bfa689
MB
853If ELEMENT is added, it is added at the beginning of the list,
854unless the optional argument APPEND is non-nil, in which case
855ELEMENT is added at the end.
508bcbca 856
daebae3d
PJ
857The return value is the new value of LIST-VAR.
858
8851c1f0
RS
859If you want to use `add-to-list' on a variable that is not defined
860until a certain package is loaded, you should put the call to `add-to-list'
861into a hook function that will be run only after loading the package.
862`eval-after-load' provides one way to do this. In some cases
863other hooks, such as major mode hooks, can do the job."
15171a06
KH
864 (if (member element (symbol-value list-var))
865 (symbol-value list-var)
c8bfa689
MB
866 (set list-var
867 (if append
868 (append (symbol-value list-var) (list element))
869 (cons element (symbol-value list-var))))))
448a0170
MB
870
871\f
872;;; Load history
873
874(defvar symbol-file-load-history-loaded nil
875 "Non-nil means we have loaded the file `fns-VERSION.el' in `exec-directory'.
876That file records the part of `load-history' for preloaded files,
877which is cleared out before dumping to make Emacs smaller.")
878
879(defun load-symbol-file-load-history ()
880 "Load the file `fns-VERSION.el' in `exec-directory' if not already done.
881That file records the part of `load-history' for preloaded files,
882which is cleared out before dumping to make Emacs smaller."
883 (unless symbol-file-load-history-loaded
884 (load (expand-file-name
885 ;; fns-XX.YY.ZZ.el does not work on DOS filesystem.
886 (if (eq system-type 'ms-dos)
887 "fns.el"
888 (format "fns-%s.el" emacs-version))
889 exec-directory)
890 ;; The file name fns-%s.el already has a .el extension.
891 nil nil t)
892 (setq symbol-file-load-history-loaded t)))
893
894(defun symbol-file (function)
895 "Return the input source from which FUNCTION was loaded.
896The value is normally a string that was passed to `load':
897either an absolute file name, or a library name
898\(with no directory name and no `.el' or `.elc' at the end).
899It can also be nil, if the definition is not associated with any file."
900 (load-symbol-file-load-history)
901 (let ((files load-history)
902 file functions)
903 (while files
904 (if (memq function (cdr (car files)))
905 (setq file (car (car files)) files nil))
906 (setq files (cdr files)))
907 file))
908
be9b65ac 909\f
9a5336ae
JB
910;;;; Specifying things to do after certain files are loaded.
911
912(defun eval-after-load (file form)
913 "Arrange that, if FILE is ever loaded, FORM will be run at that time.
914This makes or adds to an entry on `after-load-alist'.
90914938 915If FILE is already loaded, evaluate FORM right now.
12c7071c 916It does nothing if FORM is already on the list for FILE.
19594307
DL
917FILE must match exactly. Normally FILE is the name of a library,
918with no directory or extension specified, since that is how `load'
a2d7836f
SM
919is normally called.
920FILE can also be a feature (i.e. a symbol), in which case FORM is
921evaluated whenever that feature is `provide'd."
12c7071c 922 (let ((elt (assoc file after-load-alist)))
a2d7836f
SM
923 ;; Make sure there is an element for FILE.
924 (unless elt (setq elt (list file)) (push elt after-load-alist))
925 ;; Add FORM to the element if it isn't there.
926 (unless (member form (cdr elt))
927 (nconc elt (list form))
928 ;; If the file has been loaded already, run FORM right away.
929 (if (if (symbolp file)
930 (featurep file)
931 ;; Make sure `load-history' contains the files dumped with
932 ;; Emacs for the case that FILE is one of them.
933 (load-symbol-file-load-history)
934 (assoc file load-history))
935 (eval form))))
9a5336ae
JB
936 form)
937
938(defun eval-next-after-load (file)
939 "Read the following input sexp, and run it whenever FILE is loaded.
940This makes or adds to an entry on `after-load-alist'.
941FILE should be the name of a library, with no directory name."
942 (eval-after-load file (read)))
7aaacaff
RS
943\f
944;;; make-network-process wrappers
945
946(if (featurep 'make-network-process)
947 (progn
948
949(defun open-network-stream (name buffer host service)
950 "Open a TCP connection for a service to a host.
951Returns a subprocess-object to represent the connection.
952Input and output work as for subprocesses; `delete-process' closes it.
953Args are NAME BUFFER HOST SERVICE.
954NAME is name for process. It is modified if necessary to make it unique.
955BUFFER is the buffer (or buffer-name) to associate with the process.
956 Process output goes at end of that buffer, unless you specify
957 an output stream or filter function to handle the output.
958 BUFFER may be also nil, meaning that this process is not associated
959 with any buffer
960Third arg is name of the host to connect to, or its IP address.
961Fourth arg SERVICE is name of the service desired, or an integer
962specifying a port number to connect to."
963 (make-network-process :name name :buffer buffer
964 :host host :service service))
965
966(defun open-network-stream-nowait (name buffer host service &optional sentinel filter)
967 "Initiate connection to a TCP connection for a service to a host.
968It returns nil if non-blocking connects are not supported; otherwise,
969it returns a subprocess-object to represent the connection.
970
971This function is similar to `open-network-stream', except that this
972function returns before the connection is established. When the
973connection is completed, the sentinel function will be called with
974second arg matching `open' (if successful) or `failed' (on error).
975
976Args are NAME BUFFER HOST SERVICE SENTINEL FILTER.
977NAME, BUFFER, HOST, and SERVICE are as for `open-network-stream'.
978Optional args, SENTINEL and FILTER specifies the sentinel and filter
979functions to be used for this network stream."
980 (if (featurep 'make-network-process '(:nowait t))
981 (make-network-process :name name :buffer buffer :nowait t
982 :host host :service service
983 :filter filter :sentinel sentinel)))
984
985(defun open-network-stream-server (name buffer service &optional sentinel filter)
986 "Create a network server process for a TCP service.
987It returns nil if server processes are not supported; otherwise,
988it returns a subprocess-object to represent the server.
989
990When a client connects to the specified service, a new subprocess
991is created to handle the new connection, and the sentinel function
992is called for the new process.
993
994Args are NAME BUFFER SERVICE SENTINEL FILTER.
995NAME is name for the server process. Client processes are named by
996appending the ip-address and port number of the client to NAME.
997BUFFER is the buffer (or buffer-name) to associate with the server
998process. Client processes will not get a buffer if a process filter
999is specified or BUFFER is nil; otherwise, a new buffer is created for
1000the client process. The name is similar to the process name.
1001Third arg SERVICE is name of the service desired, or an integer
1002specifying a port number to connect to. It may also be t to selected
1003an unused port number for the server.
1004Optional args, SENTINEL and FILTER specifies the sentinel and filter
1005functions to be used for the client processes; the server process
1006does not use these function."
1007 (if (featurep 'make-network-process '(:server t))
1008 (make-network-process :name name :buffer buffer
1009 :service service :server t :noquery t
1010 :sentinel sentinel :filter filter)))
1011
1012)) ;; (featurep 'make-network-process)
1013
1014
1015;; compatibility
1016
1017(defun process-kill-without-query (process &optional flag)
1018 "Say no query needed if PROCESS is running when Emacs is exited.
1019Optional second argument if non-nil says to require a query.
1020Value is t if a query was formerly required.
1021New code should not use this function; use `process-query-on-exit-flag'
1022or `set-process-query-on-exit-flag' instead."
1023 (let ((old (process-query-on-exit-flag process)))
1024 (set-process-query-on-exit-flag process nil)
1025 old))
9a5336ae
JB
1026
1027\f
1028;;;; Input and display facilities.
1029
77a5664f 1030(defvar read-quoted-char-radix 8
1ba764de 1031 "*Radix for \\[quoted-insert] and other uses of `read-quoted-char'.
77a5664f
RS
1032Legitimate radix values are 8, 10 and 16.")
1033
1034(custom-declare-variable-early
1035 'read-quoted-char-radix 8
1036 "*Radix for \\[quoted-insert] and other uses of `read-quoted-char'.
1ba764de
RS
1037Legitimate radix values are 8, 10 and 16."
1038 :type '(choice (const 8) (const 10) (const 16))
1039 :group 'editing-basics)
1040
9a5336ae 1041(defun read-quoted-char (&optional prompt)
2444730b
RS
1042 "Like `read-char', but do not allow quitting.
1043Also, if the first character read is an octal digit,
1044we read any number of octal digits and return the
569b03f2 1045specified character code. Any nondigit terminates the sequence.
1ba764de 1046If the terminator is RET, it is discarded;
2444730b
RS
1047any other terminator is used itself as input.
1048
569b03f2
RS
1049The optional argument PROMPT specifies a string to use to prompt the user.
1050The variable `read-quoted-char-radix' controls which radix to use
1051for numeric input."
2444730b
RS
1052 (let ((message-log-max nil) done (first t) (code 0) char)
1053 (while (not done)
1054 (let ((inhibit-quit first)
42e636f0
KH
1055 ;; Don't let C-h get the help message--only help function keys.
1056 (help-char nil)
1057 (help-form
1058 "Type the special character you want to use,
2444730b 1059or the octal character code.
1ba764de 1060RET terminates the character code and is discarded;
2444730b 1061any other non-digit terminates the character code and is then used as input."))
b7de4d62 1062 (setq char (read-event (and prompt (format "%s-" prompt)) t))
9a5336ae 1063 (if inhibit-quit (setq quit-flag nil)))
4867f7b2
RS
1064 ;; Translate TAB key into control-I ASCII character, and so on.
1065 (and char
1066 (let ((translated (lookup-key function-key-map (vector char))))
bf896a1b 1067 (if (arrayp translated)
4867f7b2 1068 (setq char (aref translated 0)))))
9a5336ae 1069 (cond ((null char))
1ba764de
RS
1070 ((not (integerp char))
1071 (setq unread-command-events (list char)
1072 done t))
bf896a1b
RS
1073 ((/= (logand char ?\M-\^@) 0)
1074 ;; Turn a meta-character into a character with the 0200 bit set.
1075 (setq code (logior (logand char (lognot ?\M-\^@)) 128)
1076 done t))
1ba764de
RS
1077 ((and (<= ?0 char) (< char (+ ?0 (min 10 read-quoted-char-radix))))
1078 (setq code (+ (* code read-quoted-char-radix) (- char ?0)))
1079 (and prompt (setq prompt (message "%s %c" prompt char))))
1080 ((and (<= ?a (downcase char))
1081 (< (downcase char) (+ ?a -10 (min 26 read-quoted-char-radix))))
92304bc8
RS
1082 (setq code (+ (* code read-quoted-char-radix)
1083 (+ 10 (- (downcase char) ?a))))
91a6acc3 1084 (and prompt (setq prompt (message "%s %c" prompt char))))
1ba764de 1085 ((and (not first) (eq char ?\C-m))
2444730b
RS
1086 (setq done t))
1087 ((not first)
1088 (setq unread-command-events (list char)
1089 done t))
1090 (t (setq code char
1091 done t)))
1092 (setq first nil))
bf896a1b 1093 code))
9a5336ae 1094
44071d6b
RS
1095(defun read-passwd (prompt &optional confirm default)
1096 "Read a password, prompting with PROMPT. Echo `.' for each character typed.
e0e4cb7a 1097End with RET, LFD, or ESC. DEL or C-h rubs out. C-u kills line.
44071d6b
RS
1098Optional argument CONFIRM, if non-nil, then read it twice to make sure.
1099Optional DEFAULT is a default password to use instead of empty input."
1100 (if confirm
1101 (let (success)
1102 (while (not success)
1103 (let ((first (read-passwd prompt nil default))
1104 (second (read-passwd "Confirm password: " nil default)))
1105 (if (equal first second)
fe10cef0
GM
1106 (progn
1107 (and (arrayp second) (fillarray second ?\0))
1108 (setq success first))
1109 (and (arrayp first) (fillarray first ?\0))
1110 (and (arrayp second) (fillarray second ?\0))
44071d6b
RS
1111 (message "Password not repeated accurately; please start over")
1112 (sit-for 1))))
1113 success)
1114 (let ((pass nil)
1115 (c 0)
1116 (echo-keystrokes 0)
1117 (cursor-in-echo-area t))
1118 (while (progn (message "%s%s"
1119 prompt
1120 (make-string (length pass) ?.))
42ccb7c8 1121 (setq c (read-char-exclusive nil t))
44071d6b 1122 (and (/= c ?\r) (/= c ?\n) (/= c ?\e)))
719349f6 1123 (clear-this-command-keys)
44071d6b 1124 (if (= c ?\C-u)
fe10cef0
GM
1125 (progn
1126 (and (arrayp pass) (fillarray pass ?\0))
1127 (setq pass ""))
44071d6b 1128 (if (and (/= c ?\b) (/= c ?\177))
fe10cef0
GM
1129 (let* ((new-char (char-to-string c))
1130 (new-pass (concat pass new-char)))
1131 (and (arrayp pass) (fillarray pass ?\0))
1132 (fillarray new-char ?\0)
1133 (setq c ?\0)
1134 (setq pass new-pass))
44071d6b 1135 (if (> (length pass) 0)
fe10cef0
GM
1136 (let ((new-pass (substring pass 0 -1)))
1137 (and (arrayp pass) (fillarray pass ?\0))
1138 (setq pass new-pass))))))
44071d6b
RS
1139 (message nil)
1140 (or pass default ""))))
e0e4cb7a 1141\f
2493767e
RS
1142;;; Atomic change groups.
1143
69cae2d4
RS
1144(defmacro atomic-change-group (&rest body)
1145 "Perform BODY as an atomic change group.
1146This means that if BODY exits abnormally,
1147all of its changes to the current buffer are undone.
1148This works regadless of whether undo is enabled in the buffer.
1149
1150This mechanism is transparent to ordinary use of undo;
1151if undo is enabled in the buffer and BODY succeeds, the
1152user can undo the change normally."
1153 (let ((handle (make-symbol "--change-group-handle--"))
1154 (success (make-symbol "--change-group-success--")))
1155 `(let ((,handle (prepare-change-group))
1156 (,success nil))
1157 (unwind-protect
1158 (progn
1159 ;; This is inside the unwind-protect because
1160 ;; it enables undo if that was disabled; we need
1161 ;; to make sure that it gets disabled again.
1162 (activate-change-group ,handle)
1163 ,@body
1164 (setq ,success t))
1165 ;; Either of these functions will disable undo
1166 ;; if it was disabled before.
1167 (if ,success
1168 (accept-change-group ,handle)
1169 (cancel-change-group ,handle))))))
1170
1171(defun prepare-change-group (&optional buffer)
1172 "Return a handle for the current buffer's state, for a change group.
1173If you specify BUFFER, make a handle for BUFFER's state instead.
1174
1175Pass the handle to `activate-change-group' afterward to initiate
1176the actual changes of the change group.
1177
1178To finish the change group, call either `accept-change-group' or
1179`cancel-change-group' passing the same handle as argument. Call
1180`accept-change-group' to accept the changes in the group as final;
1181call `cancel-change-group' to undo them all. You should use
1182`unwind-protect' to make sure the group is always finished. The call
1183to `activate-change-group' should be inside the `unwind-protect'.
1184Once you finish the group, don't use the handle again--don't try to
1185finish the same group twice. For a simple example of correct use, see
1186the source code of `atomic-change-group'.
1187
1188The handle records only the specified buffer. To make a multibuffer
1189change group, call this function once for each buffer you want to
1190cover, then use `nconc' to combine the returned values, like this:
1191
1192 (nconc (prepare-change-group buffer-1)
1193 (prepare-change-group buffer-2))
1194
1195You can then activate that multibuffer change group with a single
1196call to `activate-change-group' and finish it with a single call
1197to `accept-change-group' or `cancel-change-group'."
1198
1199 (list (cons (current-buffer) buffer-undo-list)))
1200
1201(defun activate-change-group (handle)
1202 "Activate a change group made with `prepare-change-group' (which see)."
1203 (dolist (elt handle)
1204 (with-current-buffer (car elt)
1205 (if (eq buffer-undo-list t)
1206 (setq buffer-undo-list nil)))))
1207
1208(defun accept-change-group (handle)
1209 "Finish a change group made with `prepare-change-group' (which see).
1210This finishes the change group by accepting its changes as final."
1211 (dolist (elt handle)
1212 (with-current-buffer (car elt)
1213 (if (eq elt t)
1214 (setq buffer-undo-list t)))))
1215
1216(defun cancel-change-group (handle)
1217 "Finish a change group made with `prepare-change-group' (which see).
1218This finishes the change group by reverting all of its changes."
1219 (dolist (elt handle)
1220 (with-current-buffer (car elt)
1221 (setq elt (cdr elt))
1222 (let ((old-car
1223 (if (consp elt) (car elt)))
1224 (old-cdr
1225 (if (consp elt) (cdr elt))))
1226 ;; Temporarily truncate the undo log at ELT.
1227 (when (consp elt)
1228 (setcar elt nil) (setcdr elt nil))
1229 (unless (eq last-command 'undo) (undo-start))
1230 ;; Make sure there's no confusion.
1231 (when (and (consp elt) (not (eq elt (last pending-undo-list))))
1232 (error "Undoing to some unrelated state"))
1233 ;; Undo it all.
1234 (while pending-undo-list (undo-more 1))
1235 ;; Reset the modified cons cell ELT to its original content.
1236 (when (consp elt)
1237 (setcar elt old-car)
1238 (setcdr elt old-cdr))
1239 ;; Revert the undo info to what it was when we grabbed the state.
1240 (setq buffer-undo-list elt)))))
1241\f
a9d956be
RS
1242;; For compatibility.
1243(defalias 'redraw-modeline 'force-mode-line-update)
1244
9a5336ae 1245(defun force-mode-line-update (&optional all)
dc756612
RS
1246 "Force the mode line of the current buffer to be redisplayed.
1247With optional non-nil ALL, force redisplay of all mode lines."
9a5336ae
JB
1248 (if all (save-excursion (set-buffer (other-buffer))))
1249 (set-buffer-modified-p (buffer-modified-p)))
1250
aa3b4ded 1251(defun momentary-string-display (string pos &optional exit-char message)
be9b65ac
DL
1252 "Momentarily display STRING in the buffer at POS.
1253Display remains until next character is typed.
1254If the char is EXIT-CHAR (optional third arg, default is SPC) it is swallowed;
1255otherwise it is then available as input (as a command if nothing else).
1256Display MESSAGE (optional fourth arg) in the echo area.
1257If MESSAGE is nil, instructions to type EXIT-CHAR are displayed there."
1258 (or exit-char (setq exit-char ?\ ))
c306e0e0 1259 (let ((inhibit-read-only t)
ca2ec1c5
RS
1260 ;; Don't modify the undo list at all.
1261 (buffer-undo-list t)
be9b65ac
DL
1262 (modified (buffer-modified-p))
1263 (name buffer-file-name)
1264 insert-end)
1265 (unwind-protect
1266 (progn
1267 (save-excursion
1268 (goto-char pos)
1269 ;; defeat file locking... don't try this at home, kids!
1270 (setq buffer-file-name nil)
1271 (insert-before-markers string)
3eec84bf
RS
1272 (setq insert-end (point))
1273 ;; If the message end is off screen, recenter now.
024ae2c6 1274 (if (< (window-end nil t) insert-end)
3eec84bf
RS
1275 (recenter (/ (window-height) 2)))
1276 ;; If that pushed message start off the screen,
1277 ;; scroll to start it at the top of the screen.
1278 (move-to-window-line 0)
1279 (if (> (point) pos)
1280 (progn
1281 (goto-char pos)
1282 (recenter 0))))
be9b65ac
DL
1283 (message (or message "Type %s to continue editing.")
1284 (single-key-description exit-char))
3547c855 1285 (let ((char (read-event)))
be9b65ac 1286 (or (eq char exit-char)
dbc4e1c1 1287 (setq unread-command-events (list char)))))
be9b65ac
DL
1288 (if insert-end
1289 (save-excursion
1290 (delete-region pos insert-end)))
1291 (setq buffer-file-name name)
1292 (set-buffer-modified-p modified))))
1293
9a5336ae 1294\f
aa3b4ded
SM
1295;;;; Overlay operations
1296
1297(defun copy-overlay (o)
1298 "Return a copy of overlay O."
1299 (let ((o1 (make-overlay (overlay-start o) (overlay-end o)
1300 ;; FIXME: there's no easy way to find the
1301 ;; insertion-type of the two markers.
1302 (overlay-buffer o)))
1303 (props (overlay-properties o)))
1304 (while props
1305 (overlay-put o1 (pop props) (pop props)))
1306 o1))
1307
1308(defun remove-overlays (beg end name val)
1309 "Clear BEG and END of overlays whose property NAME has value VAL.
1310Overlays might be moved and or split."
1311 (if (< end beg)
1312 (setq beg (prog1 end (setq end beg))))
1313 (save-excursion
1314 (dolist (o (overlays-in beg end))
1315 (when (eq (overlay-get o name) val)
1316 ;; Either push this overlay outside beg...end
1317 ;; or split it to exclude beg...end
1318 ;; or delete it entirely (if it is contained in beg...end).
1319 (if (< (overlay-start o) beg)
1320 (if (> (overlay-end o) end)
1321 (progn
1322 (move-overlay (copy-overlay o)
1323 (overlay-start o) beg)
1324 (move-overlay o end (overlay-end o)))
1325 (move-overlay o (overlay-start o) beg))
1326 (if (> (overlay-end o) end)
1327 (move-overlay o end (overlay-end o))
1328 (delete-overlay o)))))))
c5802acf 1329\f
9a5336ae
JB
1330;;;; Miscellanea.
1331
448b61c9
RS
1332;; A number of major modes set this locally.
1333;; Give it a global value to avoid compiler warnings.
1334(defvar font-lock-defaults nil)
1335
4fb17037
RS
1336(defvar suspend-hook nil
1337 "Normal hook run by `suspend-emacs', before suspending.")
1338
1339(defvar suspend-resume-hook nil
1340 "Normal hook run by `suspend-emacs', after Emacs is continued.")
1341
784bc7cd
RS
1342(defvar temp-buffer-show-hook nil
1343 "Normal hook run by `with-output-to-temp-buffer' after displaying the buffer.
1344When the hook runs, the temporary buffer is current, and the window it
1345was displayed in is selected. This hook is normally set up with a
1346function to make the buffer read only, and find function names and
1347variable names in it, provided the major mode is still Help mode.")
1348
1349(defvar temp-buffer-setup-hook nil
1350 "Normal hook run by `with-output-to-temp-buffer' at the start.
1351When the hook runs, the temporary buffer is current.
1352This hook is normally set up with a function to put the buffer in Help
1353mode.")
1354
448b61c9
RS
1355;; Avoid compiler warnings about this variable,
1356;; which has a special meaning on certain system types.
1357(defvar buffer-file-type nil
1358 "Non-nil if the visited file is a binary file.
1359This variable is meaningful on MS-DOG and Windows NT.
1360On those systems, it is automatically local in every buffer.
1361On other systems, this variable is normally always nil.")
1362
a860d25f 1363;; This should probably be written in C (i.e., without using `walk-windows').
63503b24 1364(defun get-buffer-window-list (buffer &optional minibuf frame)
a860d25f 1365 "Return windows currently displaying BUFFER, or nil if none.
63503b24 1366See `walk-windows' for the meaning of MINIBUF and FRAME."
43c5ac8c 1367 (let ((buffer (if (bufferp buffer) buffer (get-buffer buffer))) windows)
a860d25f
SM
1368 (walk-windows (function (lambda (window)
1369 (if (eq (window-buffer window) buffer)
1370 (setq windows (cons window windows)))))
63503b24 1371 minibuf frame)
a860d25f
SM
1372 windows))
1373
f9269e19
RS
1374(defun ignore (&rest ignore)
1375 "Do nothing and return nil.
1376This function accepts any number of arguments, but ignores them."
c0f1a4f6 1377 (interactive)
9a5336ae
JB
1378 nil)
1379
1380(defun error (&rest args)
aa308ce2
RS
1381 "Signal an error, making error message by passing all args to `format'.
1382In Emacs, the convention is that error messages start with a capital
1383letter but *do not* end with a period. Please follow this convention
1384for the sake of consistency."
9a5336ae
JB
1385 (while t
1386 (signal 'error (list (apply 'format args)))))
1387
cef7ae6e 1388(defalias 'user-original-login-name 'user-login-name)
9a5336ae 1389
2493767e
RS
1390(defvar yank-excluded-properties)
1391
8ed59ad5
KS
1392(defun remove-yank-excluded-properties (start end)
1393 "Remove `yank-excluded-properties' between START and END positions.
1394Replaces `category' properties with their defined properties."
1395 (let ((inhibit-read-only t))
1396 ;; Replace any `category' property with the properties it stands for.
1397 (unless (memq yank-excluded-properties '(t nil))
1398 (save-excursion
1399 (goto-char start)
1400 (while (< (point) end)
1401 (let ((cat (get-text-property (point) 'category))
1402 run-end)
1403 (when cat
1404 (setq run-end
1405 (next-single-property-change (point) 'category nil end))
1406 (remove-list-of-text-properties (point) run-end '(category))
1407 (add-text-properties (point) run-end (symbol-plist cat))
1408 (goto-char (or run-end end)))
1409 (setq run-end
1410 (next-single-property-change (point) 'category nil end))
1411 (goto-char (or run-end end))))))
1412 (if (eq yank-excluded-properties t)
1413 (set-text-properties start end nil)
1414 (remove-list-of-text-properties start end
1415 yank-excluded-properties))))
1416
2493767e
RS
1417(defun insert-for-yank (&rest strings)
1418 "Insert STRINGS at point, stripping some text properties.
1419Strip text properties from the inserted text
1420according to `yank-excluded-properties'.
1421Otherwise just like (insert STRINGS...)."
1422 (let ((opoint (point)))
2493767e 1423 (apply 'insert strings)
8ed59ad5 1424 (remove-yank-excluded-properties opoint (point))))
3b8690f6
KS
1425
1426(defun insert-buffer-substring-no-properties (buf &optional start end)
1427 "Insert before point a substring of buffer BUFFER, without text properties.
1428BUFFER may be a buffer or a buffer name.
1429Arguments START and END are character numbers specifying the substring.
1430They default to the beginning and the end of BUFFER."
1431 (let ((opoint (point)))
1432 (insert-buffer-substring buf start end)
1433 (let ((inhibit-read-only t))
1434 (set-text-properties opoint (point) nil))))
1435
1436(defun insert-buffer-substring-as-yank (buf &optional start end)
1437 "Insert before point a part of buffer BUFFER, stripping some text properties.
1438BUFFER may be a buffer or a buffer name. Arguments START and END are
1439character numbers specifying the substring. They default to the
1440beginning and the end of BUFFER. Strip text properties from the
1441inserted text according to `yank-excluded-properties'."
1442 (let ((opoint (point)))
1443 (insert-buffer-substring buf start end)
8ed59ad5 1444 (remove-yank-excluded-properties opoint (point))))
3b8690f6 1445
2493767e
RS
1446\f
1447;; Synchronous shell commands.
1448
be9b65ac
DL
1449(defun start-process-shell-command (name buffer &rest args)
1450 "Start a program in a subprocess. Return the process object for it.
1451Args are NAME BUFFER COMMAND &rest COMMAND-ARGS.
1452NAME is name for process. It is modified if necessary to make it unique.
1453BUFFER is the buffer or (buffer-name) to associate with the process.
1454 Process output goes at end of that buffer, unless you specify
1455 an output stream or filter function to handle the output.
1456 BUFFER may be also nil, meaning that this process is not associated
1457 with any buffer
1458Third arg is command name, the name of a shell command.
1459Remaining arguments are the arguments for the command.
4f1d6310 1460Wildcards and redirection are handled as usual in the shell."
a247bf21
KH
1461 (cond
1462 ((eq system-type 'vax-vms)
1463 (apply 'start-process name buffer args))
b59f6d7a
RS
1464 ;; We used to use `exec' to replace the shell with the command,
1465 ;; but that failed to handle (...) and semicolon, etc.
a247bf21
KH
1466 (t
1467 (start-process name buffer shell-file-name shell-command-switch
b59f6d7a 1468 (mapconcat 'identity args " ")))))
93aca633
MB
1469
1470(defun call-process-shell-command (command &optional infile buffer display
1471 &rest args)
1472 "Execute the shell command COMMAND synchronously in separate process.
1473The remaining arguments are optional.
1474The program's input comes from file INFILE (nil means `/dev/null').
1475Insert output in BUFFER before point; t means current buffer;
1476 nil for BUFFER means discard it; 0 means discard and don't wait.
1477BUFFER can also have the form (REAL-BUFFER STDERR-FILE); in that case,
1478REAL-BUFFER says what to do with standard output, as above,
1479while STDERR-FILE says what to do with standard error in the child.
1480STDERR-FILE may be nil (discard standard error output),
1481t (mix it with ordinary output), or a file name string.
1482
1483Fourth arg DISPLAY non-nil means redisplay buffer as output is inserted.
1484Remaining arguments are strings passed as additional arguments for COMMAND.
1485Wildcards and redirection are handled as usual in the shell.
1486
1487If BUFFER is 0, `call-process-shell-command' returns immediately with value nil.
1488Otherwise it waits for COMMAND to terminate and returns a numeric exit
1489status or a signal description string.
1490If you quit, the process is killed with SIGINT, or SIGKILL if you quit again."
1491 (cond
1492 ((eq system-type 'vax-vms)
1493 (apply 'call-process command infile buffer display args))
1494 ;; We used to use `exec' to replace the shell with the command,
1495 ;; but that failed to handle (...) and semicolon, etc.
1496 (t
1497 (call-process shell-file-name
1498 infile buffer display
1499 shell-command-switch
1500 (mapconcat 'identity (cons command args) " ")))))
a7ed4c2a 1501\f
a7f284ec
RS
1502(defmacro with-current-buffer (buffer &rest body)
1503 "Execute the forms in BODY with BUFFER as the current buffer.
a2fdb55c
EN
1504The value returned is the value of the last form in BODY.
1505See also `with-temp-buffer'."
ce87039d
SM
1506 (cons 'save-current-buffer
1507 (cons (list 'set-buffer buffer)
1508 body)))
a7f284ec 1509
e5bb8a8c
SM
1510(defmacro with-temp-file (file &rest body)
1511 "Create a new buffer, evaluate BODY there, and write the buffer to FILE.
1512The value returned is the value of the last form in BODY.
a2fdb55c 1513See also `with-temp-buffer'."
a7ed4c2a 1514 (let ((temp-file (make-symbol "temp-file"))
a2fdb55c
EN
1515 (temp-buffer (make-symbol "temp-buffer")))
1516 `(let ((,temp-file ,file)
1517 (,temp-buffer
1518 (get-buffer-create (generate-new-buffer-name " *temp file*"))))
1519 (unwind-protect
1520 (prog1
1521 (with-current-buffer ,temp-buffer
e5bb8a8c 1522 ,@body)
a2fdb55c
EN
1523 (with-current-buffer ,temp-buffer
1524 (widen)
1525 (write-region (point-min) (point-max) ,temp-file nil 0)))
1526 (and (buffer-name ,temp-buffer)
1527 (kill-buffer ,temp-buffer))))))
1528
e5bb8a8c 1529(defmacro with-temp-message (message &rest body)
a600effe 1530 "Display MESSAGE temporarily if non-nil while BODY is evaluated.
e5bb8a8c
SM
1531The original message is restored to the echo area after BODY has finished.
1532The value returned is the value of the last form in BODY.
a600effe
SM
1533MESSAGE is written to the message log buffer if `message-log-max' is non-nil.
1534If MESSAGE is nil, the echo area and message log buffer are unchanged.
1535Use a MESSAGE of \"\" to temporarily clear the echo area."
110201c8
SM
1536 (let ((current-message (make-symbol "current-message"))
1537 (temp-message (make-symbol "with-temp-message")))
1538 `(let ((,temp-message ,message)
1539 (,current-message))
e5bb8a8c
SM
1540 (unwind-protect
1541 (progn
110201c8
SM
1542 (when ,temp-message
1543 (setq ,current-message (current-message))
aadf7ff3 1544 (message "%s" ,temp-message))
e5bb8a8c 1545 ,@body)
cad84646
RS
1546 (and ,temp-message
1547 (if ,current-message
1548 (message "%s" ,current-message)
1549 (message nil)))))))
e5bb8a8c
SM
1550
1551(defmacro with-temp-buffer (&rest body)
1552 "Create a temporary buffer, and evaluate BODY there like `progn'.
a2fdb55c
EN
1553See also `with-temp-file' and `with-output-to-string'."
1554 (let ((temp-buffer (make-symbol "temp-buffer")))
1555 `(let ((,temp-buffer
1556 (get-buffer-create (generate-new-buffer-name " *temp*"))))
1557 (unwind-protect
1558 (with-current-buffer ,temp-buffer
e5bb8a8c 1559 ,@body)
a2fdb55c
EN
1560 (and (buffer-name ,temp-buffer)
1561 (kill-buffer ,temp-buffer))))))
1562
5db7925d
RS
1563(defmacro with-output-to-string (&rest body)
1564 "Execute BODY, return the text it sent to `standard-output', as a string."
a2fdb55c
EN
1565 `(let ((standard-output
1566 (get-buffer-create (generate-new-buffer-name " *string-output*"))))
5db7925d
RS
1567 (let ((standard-output standard-output))
1568 ,@body)
a2fdb55c
EN
1569 (with-current-buffer standard-output
1570 (prog1
1571 (buffer-string)
1572 (kill-buffer nil)))))
2ec9c94e 1573
0764e16f
SM
1574(defmacro with-local-quit (&rest body)
1575 "Execute BODY with `inhibit-quit' temporarily bound to nil."
1576 `(condition-case nil
1577 (let ((inhibit-quit nil))
1578 ,@body)
1579 (quit (setq quit-flag t))))
1580
2ec9c94e
RS
1581(defmacro combine-after-change-calls (&rest body)
1582 "Execute BODY, but don't call the after-change functions till the end.
1583If BODY makes changes in the buffer, they are recorded
1584and the functions on `after-change-functions' are called several times
1585when BODY is finished.
31aa282e 1586The return value is the value of the last form in BODY.
2ec9c94e
RS
1587
1588If `before-change-functions' is non-nil, then calls to the after-change
1589functions can't be deferred, so in that case this macro has no effect.
1590
1591Do not alter `after-change-functions' or `before-change-functions'
1592in BODY."
1593 `(unwind-protect
1594 (let ((combine-after-change-calls t))
1595 . ,body)
1596 (combine-after-change-execute)))
1597
c834b52c 1598
a13fe4c5
SM
1599(defvar delay-mode-hooks nil
1600 "If non-nil, `run-mode-hooks' should delay running the hooks.")
1601(defvar delayed-mode-hooks nil
1602 "List of delayed mode hooks waiting to be run.")
1603(make-variable-buffer-local 'delayed-mode-hooks)
1604
1605(defun run-mode-hooks (&rest hooks)
1606 "Run mode hooks `delayed-mode-hooks' and HOOKS, or delay HOOKS.
1607Execution is delayed if `delay-mode-hooks' is non-nil.
1608Major mode functions should use this."
1609 (if delay-mode-hooks
1610 ;; Delaying case.
1611 (dolist (hook hooks)
1612 (push hook delayed-mode-hooks))
1613 ;; Normal case, just run the hook as before plus any delayed hooks.
1614 (setq hooks (nconc (nreverse delayed-mode-hooks) hooks))
1615 (setq delayed-mode-hooks nil)
1616 (apply 'run-hooks hooks)))
1617
1618(defmacro delay-mode-hooks (&rest body)
1619 "Execute BODY, but delay any `run-mode-hooks'.
1620Only affects hooks run in the current buffer."
1621 `(progn
1622 (make-local-variable 'delay-mode-hooks)
1623 (let ((delay-mode-hooks t))
1624 ,@body)))
1625
31ca596b
RS
1626;; PUBLIC: find if the current mode derives from another.
1627
1628(defun derived-mode-p (&rest modes)
1629 "Non-nil if the current major mode is derived from one of MODES.
1630Uses the `derived-mode-parent' property of the symbol to trace backwards."
1631 (let ((parent major-mode))
1632 (while (and (not (memq parent modes))
1633 (setq parent (get parent 'derived-mode-parent))))
1634 parent))
1635
7e8539cc
RS
1636(defmacro with-syntax-table (table &rest body)
1637 "Evaluate BODY with syntax table of current buffer set to a copy of TABLE.
1638The syntax table of the current buffer is saved, BODY is evaluated, and the
1639saved table is restored, even in case of an abnormal exit.
1640Value is what BODY returns."
b3f07093
RS
1641 (let ((old-table (make-symbol "table"))
1642 (old-buffer (make-symbol "buffer")))
7e8539cc
RS
1643 `(let ((,old-table (syntax-table))
1644 (,old-buffer (current-buffer)))
1645 (unwind-protect
1646 (progn
1647 (set-syntax-table (copy-syntax-table ,table))
1648 ,@body)
1649 (save-current-buffer
1650 (set-buffer ,old-buffer)
1651 (set-syntax-table ,old-table))))))
a2fdb55c 1652\f
2493767e
RS
1653;;; Matching and substitution
1654
c7ca41e6
RS
1655(defvar save-match-data-internal)
1656
1657;; We use save-match-data-internal as the local variable because
1658;; that works ok in practice (people should not use that variable elsewhere).
1659;; We used to use an uninterned symbol; the compiler handles that properly
1660;; now, but it generates slower code.
9a5336ae 1661(defmacro save-match-data (&rest body)
e4d03691
JB
1662 "Execute the BODY forms, restoring the global value of the match data.
1663The value returned is the value of the last form in BODY."
64ed733a
PE
1664 ;; It is better not to use backquote here,
1665 ;; because that makes a bootstrapping problem
1666 ;; if you need to recompile all the Lisp files using interpreted code.
1667 (list 'let
1668 '((save-match-data-internal (match-data)))
1669 (list 'unwind-protect
1670 (cons 'progn body)
1671 '(set-match-data save-match-data-internal))))
993713ce 1672
cd323f89 1673(defun match-string (num &optional string)
993713ce
SM
1674 "Return string of text matched by last search.
1675NUM specifies which parenthesized expression in the last regexp.
1676 Value is nil if NUMth pair didn't match, or there were less than NUM pairs.
1677Zero means the entire text matched by the whole regexp or whole string.
1678STRING should be given if the last search was by `string-match' on STRING."
cd323f89
SM
1679 (if (match-beginning num)
1680 (if string
1681 (substring string (match-beginning num) (match-end num))
1682 (buffer-substring (match-beginning num) (match-end num)))))
58f950b4 1683
bb760c71
RS
1684(defun match-string-no-properties (num &optional string)
1685 "Return string of text matched by last search, without text properties.
1686NUM specifies which parenthesized expression in the last regexp.
1687 Value is nil if NUMth pair didn't match, or there were less than NUM pairs.
1688Zero means the entire text matched by the whole regexp or whole string.
1689STRING should be given if the last search was by `string-match' on STRING."
1690 (if (match-beginning num)
1691 (if string
1692 (let ((result
1693 (substring string (match-beginning num) (match-end num))))
1694 (set-text-properties 0 (length result) nil result)
1695 result)
1696 (buffer-substring-no-properties (match-beginning num)
1697 (match-end num)))))
1698
edce3654
RS
1699(defun split-string (string &optional separators)
1700 "Splits STRING into substrings where there are matches for SEPARATORS.
1701Each match for SEPARATORS is a splitting point.
1702The substrings between the splitting points are made into a list
1703which is returned.
b222b786
RS
1704If SEPARATORS is absent, it defaults to \"[ \\f\\t\\n\\r\\v]+\".
1705
1706If there is match for SEPARATORS at the beginning of STRING, we do not
1707include a null substring for that. Likewise, if there is a match
b021ef18
DL
1708at the end of STRING, we don't include a null substring for that.
1709
1710Modifies the match data; use `save-match-data' if necessary."
edce3654
RS
1711 (let ((rexp (or separators "[ \f\t\n\r\v]+"))
1712 (start 0)
b222b786 1713 notfirst
edce3654 1714 (list nil))
b222b786
RS
1715 (while (and (string-match rexp string
1716 (if (and notfirst
1717 (= start (match-beginning 0))
1718 (< start (length string)))
1719 (1+ start) start))
1720 (< (match-beginning 0) (length string)))
1721 (setq notfirst t)
7eb47123 1722 (or (eq (match-beginning 0) 0)
b222b786
RS
1723 (and (eq (match-beginning 0) (match-end 0))
1724 (eq (match-beginning 0) start))
edce3654
RS
1725 (setq list
1726 (cons (substring string start (match-beginning 0))
1727 list)))
1728 (setq start (match-end 0)))
1729 (or (eq start (length string))
1730 (setq list
1731 (cons (substring string start)
1732 list)))
1733 (nreverse list)))
1ccaea52
AI
1734
1735(defun subst-char-in-string (fromchar tochar string &optional inplace)
1736 "Replace FROMCHAR with TOCHAR in STRING each time it occurs.
1737Unless optional argument INPLACE is non-nil, return a new string."
e6e71807
SM
1738 (let ((i (length string))
1739 (newstr (if inplace string (copy-sequence string))))
1740 (while (> i 0)
1741 (setq i (1- i))
1742 (if (eq (aref newstr i) fromchar)
1743 (aset newstr i tochar)))
1744 newstr))
b021ef18 1745
1697159c
DL
1746(defun replace-regexp-in-string (regexp rep string &optional
1747 fixedcase literal subexp start)
b021ef18
DL
1748 "Replace all matches for REGEXP with REP in STRING.
1749
1750Return a new string containing the replacements.
1751
1752Optional arguments FIXEDCASE, LITERAL and SUBEXP are like the
1753arguments with the same names of function `replace-match'. If START
1754is non-nil, start replacements at that index in STRING.
1755
1756REP is either a string used as the NEWTEXT arg of `replace-match' or a
1757function. If it is a function it is applied to each match to generate
1758the replacement passed to `replace-match'; the match-data at this
1759point are such that match 0 is the function's argument.
1760
1697159c
DL
1761To replace only the first match (if any), make REGEXP match up to \\'
1762and replace a sub-expression, e.g.
1763 (replace-regexp-in-string \"\\(foo\\).*\\'\" \"bar\" \" foo foo\" nil nil 1)
1764 => \" bar foo\"
1765"
b021ef18
DL
1766
1767 ;; To avoid excessive consing from multiple matches in long strings,
1768 ;; don't just call `replace-match' continually. Walk down the
1769 ;; string looking for matches of REGEXP and building up a (reversed)
1770 ;; list MATCHES. This comprises segments of STRING which weren't
1771 ;; matched interspersed with replacements for segments that were.
08b1f8a1 1772 ;; [For a `large' number of replacements it's more efficient to
b021ef18
DL
1773 ;; operate in a temporary buffer; we can't tell from the function's
1774 ;; args whether to choose the buffer-based implementation, though it
1775 ;; might be reasonable to do so for long enough STRING.]
1776 (let ((l (length string))
1777 (start (or start 0))
1778 matches str mb me)
1779 (save-match-data
1780 (while (and (< start l) (string-match regexp string start))
1781 (setq mb (match-beginning 0)
1782 me (match-end 0))
a9853251
SM
1783 ;; If we matched the empty string, make sure we advance by one char
1784 (when (= me mb) (setq me (min l (1+ mb))))
1785 ;; Generate a replacement for the matched substring.
1786 ;; Operate only on the substring to minimize string consing.
1787 ;; Set up match data for the substring for replacement;
1788 ;; presumably this is likely to be faster than munging the
1789 ;; match data directly in Lisp.
1790 (string-match regexp (setq str (substring string mb me)))
1791 (setq matches
1792 (cons (replace-match (if (stringp rep)
1793 rep
1794 (funcall rep (match-string 0 str)))
1795 fixedcase literal str subexp)
1796 (cons (substring string start mb) ; unmatched prefix
1797 matches)))
1798 (setq start me))
b021ef18
DL
1799 ;; Reconstruct a string from the pieces.
1800 (setq matches (cons (substring string start l) matches)) ; leftover
1801 (apply #'concat (nreverse matches)))))
a7ed4c2a 1802\f
8af7df60
RS
1803(defun shell-quote-argument (argument)
1804 "Quote an argument for passing as argument to an inferior shell."
c1c74b43 1805 (if (eq system-type 'ms-dos)
8ee75d03
EZ
1806 ;; Quote using double quotes, but escape any existing quotes in
1807 ;; the argument with backslashes.
1808 (let ((result "")
1809 (start 0)
1810 end)
1811 (if (or (null (string-match "[^\"]" argument))
1812 (< (match-end 0) (length argument)))
1813 (while (string-match "[\"]" argument start)
1814 (setq end (match-beginning 0)
1815 result (concat result (substring argument start end)
1816 "\\" (substring argument end (1+ end)))
1817 start (1+ end))))
1818 (concat "\"" result (substring argument start) "\""))
c1c74b43
RS
1819 (if (eq system-type 'windows-nt)
1820 (concat "\"" argument "\"")
e1b65a6b
RS
1821 (if (equal argument "")
1822 "''"
1823 ;; Quote everything except POSIX filename characters.
1824 ;; This should be safe enough even for really weird shells.
1825 (let ((result "") (start 0) end)
1826 (while (string-match "[^-0-9a-zA-Z_./]" argument start)
1827 (setq end (match-beginning 0)
1828 result (concat result (substring argument start end)
1829 "\\" (substring argument end (1+ end)))
1830 start (1+ end)))
1831 (concat result (substring argument start)))))))
8af7df60 1832
297d863b 1833(defun make-syntax-table (&optional oldtable)
984f718a 1834 "Return a new syntax table.
0764e16f
SM
1835Create a syntax table which inherits from OLDTABLE (if non-nil) or
1836from `standard-syntax-table' otherwise."
1837 (let ((table (make-char-table 'syntax-table nil)))
1838 (set-char-table-parent table (or oldtable (standard-syntax-table)))
1839 table))
31aa282e
KH
1840
1841(defun add-to-invisibility-spec (arg)
1842 "Add elements to `buffer-invisibility-spec'.
1843See documentation for `buffer-invisibility-spec' for the kind of elements
1844that can be added."
1845 (cond
1846 ((or (null buffer-invisibility-spec) (eq buffer-invisibility-spec t))
1847 (setq buffer-invisibility-spec (list arg)))
1848 (t
11d431ad
KH
1849 (setq buffer-invisibility-spec
1850 (cons arg buffer-invisibility-spec)))))
31aa282e
KH
1851
1852(defun remove-from-invisibility-spec (arg)
1853 "Remove elements from `buffer-invisibility-spec'."
e93b8cbb 1854 (if (consp buffer-invisibility-spec)
071a2a71 1855 (setq buffer-invisibility-spec (delete arg buffer-invisibility-spec))))
baed0109
RS
1856\f
1857(defun global-set-key (key command)
1858 "Give KEY a global binding as COMMAND.
7bba1895
KH
1859COMMAND is the command definition to use; usually it is
1860a symbol naming an interactively-callable function.
1861KEY is a key sequence; noninteractively, it is a string or vector
1862of characters or event types, and non-ASCII characters with codes
1863above 127 (such as ISO Latin-1) can be included if you use a vector.
1864
1865Note that if KEY has a local binding in the current buffer,
1866that local binding will continue to shadow any global binding
1867that you make with this function."
baed0109 1868 (interactive "KSet key globally: \nCSet key %s to command: ")
a2f9aa84 1869 (or (vectorp key) (stringp key)
baed0109 1870 (signal 'wrong-type-argument (list 'arrayp key)))
ff663bbe 1871 (define-key (current-global-map) key command))
baed0109
RS
1872
1873(defun local-set-key (key command)
1874 "Give KEY a local binding as COMMAND.
7bba1895
KH
1875COMMAND is the command definition to use; usually it is
1876a symbol naming an interactively-callable function.
1877KEY is a key sequence; noninteractively, it is a string or vector
1878of characters or event types, and non-ASCII characters with codes
1879above 127 (such as ISO Latin-1) can be included if you use a vector.
1880
baed0109
RS
1881The binding goes in the current buffer's local map,
1882which in most cases is shared with all other buffers in the same major mode."
1883 (interactive "KSet key locally: \nCSet key %s locally to command: ")
1884 (let ((map (current-local-map)))
1885 (or map
1886 (use-local-map (setq map (make-sparse-keymap))))
a2f9aa84 1887 (or (vectorp key) (stringp key)
baed0109 1888 (signal 'wrong-type-argument (list 'arrayp key)))
ff663bbe 1889 (define-key map key command)))
984f718a 1890
baed0109
RS
1891(defun global-unset-key (key)
1892 "Remove global binding of KEY.
1893KEY is a string representing a sequence of keystrokes."
1894 (interactive "kUnset key globally: ")
1895 (global-set-key key nil))
1896
db2474b8 1897(defun local-unset-key (key)
baed0109
RS
1898 "Remove local binding of KEY.
1899KEY is a string representing a sequence of keystrokes."
1900 (interactive "kUnset key locally: ")
1901 (if (current-local-map)
db2474b8 1902 (local-set-key key nil))
baed0109
RS
1903 nil)
1904\f
4809d0dd
KH
1905;; We put this here instead of in frame.el so that it's defined even on
1906;; systems where frame.el isn't loaded.
1907(defun frame-configuration-p (object)
1908 "Return non-nil if OBJECT seems to be a frame configuration.
1909Any list whose car is `frame-configuration' is assumed to be a frame
1910configuration."
1911 (and (consp object)
1912 (eq (car object) 'frame-configuration)))
1913
a9a44ed1 1914(defun functionp (object)
0764e16f 1915 "Non-nil iff OBJECT is a type of object that can be called as a function."
a2d7836f 1916 (or (and (symbolp object) (fboundp object)
d7d563e3
RS
1917 (condition-case nil
1918 (setq object (indirect-function object))
1919 (error nil))
0764e16f 1920 (eq (car-safe object) 'autoload)
f1d37f3c 1921 (not (car-safe (cdr-safe (cdr-safe (cdr-safe (cdr-safe object)))))))
0764e16f 1922 (subrp object) (byte-code-function-p object)
60ab6064 1923 (eq (car-safe object) 'lambda)))
a9a44ed1 1924
f65fab59
GM
1925(defun interactive-form (function)
1926 "Return the interactive form of FUNCTION.
1927If function is a command (see `commandp'), value is a list of the form
d3200788 1928\(interactive SPEC). If function is not a command, return nil."
f65fab59
GM
1929 (setq function (indirect-function function))
1930 (when (commandp function)
1931 (cond ((byte-code-function-p function)
1932 (when (> (length function) 5)
1933 (let ((spec (aref function 5)))
1934 (if spec
1935 (list 'interactive spec)
1936 (list 'interactive)))))
1937 ((subrp function)
1938 (subr-interactive-form function))
1939 ((eq (car-safe function) 'lambda)
1940 (setq function (cddr function))
1941 (when (stringp (car function))
1942 (setq function (cdr function)))
1943 (let ((form (car function)))
a27b451e 1944 (when (eq (car-safe form) 'interactive)
f65fab59 1945 (copy-sequence form)))))))
630cc463 1946
d3a61a11 1947(defun assq-delete-all (key alist)
a62d6695
DL
1948 "Delete from ALIST all elements whose car is KEY.
1949Return the modified alist."
a62d6695
DL
1950 (let ((tail alist))
1951 (while tail
1952 (if (eq (car (car tail)) key)
1953 (setq alist (delq (car tail) alist)))
1954 (setq tail (cdr tail)))
1955 alist))
1956
10cf1ba8 1957(defun make-temp-file (prefix &optional dir-flag suffix)
cdd9f643
RS
1958 "Create a temporary file.
1959The returned file name (created by appending some random characters at the end
1960of PREFIX, and expanding against `temporary-file-directory' if necessary,
1961is guaranteed to point to a newly created empty file.
1962You can then use `write-region' to write new data into the file.
1963
10cf1ba8
RS
1964If DIR-FLAG is non-nil, create a new empty directory instead of a file.
1965
1966If SUFFIX is non-nil, add that at the end of the file name."
cdd9f643
RS
1967 (let (file)
1968 (while (condition-case ()
1969 (progn
1970 (setq file
1971 (make-temp-name
1972 (expand-file-name prefix temporary-file-directory)))
10cf1ba8
RS
1973 (if suffix
1974 (setq file (concat file suffix)))
cdd9f643
RS
1975 (if dir-flag
1976 (make-directory file)
1977 (write-region "" nil file nil 'silent nil 'excl))
1978 nil)
08b1f8a1 1979 (file-already-exists t))
cdd9f643
RS
1980 ;; the file was somehow created by someone else between
1981 ;; `make-temp-name' and `write-region', let's try again.
1982 nil)
1983 file))
1984
d7d47268 1985\f
c94f4677 1986(defun add-minor-mode (toggle name &optional keymap after toggle-fun)
d7d47268 1987 "Register a new minor mode.
c94f4677 1988
0b2cf11f
SM
1989This is an XEmacs-compatibility function. Use `define-minor-mode' instead.
1990
c94f4677
GM
1991TOGGLE is a symbol which is the name of a buffer-local variable that
1992is toggled on or off to say whether the minor mode is active or not.
1993
1994NAME specifies what will appear in the mode line when the minor mode
1995is active. NAME should be either a string starting with a space, or a
1996symbol whose value is such a string.
1997
1998Optional KEYMAP is the keymap for the minor mode that will be added
1999to `minor-mode-map-alist'.
2000
2001Optional AFTER specifies that TOGGLE should be added after AFTER
2002in `minor-mode-alist'.
2003
0b2cf11f
SM
2004Optional TOGGLE-FUN is an interactive function to toggle the mode.
2005It defaults to (and should by convention be) TOGGLE.
2006
2007If TOGGLE has a non-nil `:included' property, an entry for the mode is
2008included in the mode-line minor mode menu.
2009If TOGGLE has a `:menu-tag', that is used for the menu item's label."
2010 (unless toggle-fun (setq toggle-fun toggle))
0b2cf11f 2011 ;; Add the name to the minor-mode-alist.
c94f4677 2012 (when name
0b2cf11f
SM
2013 (let ((existing (assq toggle minor-mode-alist)))
2014 (when (and (stringp name) (not (get-text-property 0 'local-map name)))
d6c22d46 2015 (setq name
0c107014
GM
2016 (propertize name
2017 'local-map mode-line-minor-mode-keymap
2018 'help-echo "mouse-3: minor mode menu")))
0b2cf11f
SM
2019 (if existing
2020 (setcdr existing (list name))
2021 (let ((tail minor-mode-alist) found)
2022 (while (and tail (not found))
2023 (if (eq after (caar tail))
2024 (setq found tail)
2025 (setq tail (cdr tail))))
2026 (if found
2027 (let ((rest (cdr found)))
2028 (setcdr found nil)
2029 (nconc found (list (list toggle name)) rest))
2030 (setq minor-mode-alist (cons (list toggle name)
2031 minor-mode-alist)))))))
69cae2d4
RS
2032 ;; Add the toggle to the minor-modes menu if requested.
2033 (when (get toggle :included)
2034 (define-key mode-line-mode-menu
2035 (vector toggle)
2036 (list 'menu-item
2037 (concat
2038 (or (get toggle :menu-tag)
2039 (if (stringp name) name (symbol-name toggle)))
2040 (let ((mode-name (if (stringp name) name
2041 (if (symbolp name) (symbol-value name)))))
2042 (if mode-name
2043 (concat " (" mode-name ")"))))
2044 toggle-fun
2045 :button (cons :toggle toggle))))
2046
0b2cf11f 2047 ;; Add the map to the minor-mode-map-alist.
c94f4677
GM
2048 (when keymap
2049 (let ((existing (assq toggle minor-mode-map-alist)))
0b2cf11f
SM
2050 (if existing
2051 (setcdr existing keymap)
2052 (let ((tail minor-mode-map-alist) found)
2053 (while (and tail (not found))
2054 (if (eq after (caar tail))
2055 (setq found tail)
2056 (setq tail (cdr tail))))
2057 (if found
2058 (let ((rest (cdr found)))
2059 (setcdr found nil)
2060 (nconc found (list (cons toggle keymap)) rest))
2061 (setq minor-mode-map-alist (cons (cons toggle keymap)
2062 minor-mode-map-alist))))))))
2493767e 2063\f
a13fe4c5
SM
2064;; Clones ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;
2065
2066(defun text-clone-maintain (ol1 after beg end &optional len)
2067 "Propagate the changes made under the overlay OL1 to the other clones.
2068This is used on the `modification-hooks' property of text clones."
2069 (when (and after (not undo-in-progress) (overlay-start ol1))
2070 (let ((margin (if (overlay-get ol1 'text-clone-spreadp) 1 0)))
2071 (setq beg (max beg (+ (overlay-start ol1) margin)))
2072 (setq end (min end (- (overlay-end ol1) margin)))
2073 (when (<= beg end)
2074 (save-excursion
2075 (when (overlay-get ol1 'text-clone-syntax)
2076 ;; Check content of the clone's text.
2077 (let ((cbeg (+ (overlay-start ol1) margin))
2078 (cend (- (overlay-end ol1) margin)))
2079 (goto-char cbeg)
2080 (save-match-data
2081 (if (not (re-search-forward
2082 (overlay-get ol1 'text-clone-syntax) cend t))
2083 ;; Mark the overlay for deletion.
2084 (overlay-put ol1 'text-clones nil)
2085 (when (< (match-end 0) cend)
2086 ;; Shrink the clone at its end.
2087 (setq end (min end (match-end 0)))
2088 (move-overlay ol1 (overlay-start ol1)
2089 (+ (match-end 0) margin)))
2090 (when (> (match-beginning 0) cbeg)
2091 ;; Shrink the clone at its beginning.
2092 (setq beg (max (match-beginning 0) beg))
2093 (move-overlay ol1 (- (match-beginning 0) margin)
2094 (overlay-end ol1)))))))
2095 ;; Now go ahead and update the clones.
2096 (let ((head (- beg (overlay-start ol1)))
2097 (tail (- (overlay-end ol1) end))
2098 (str (buffer-substring beg end))
2099 (nothing-left t)
2100 (inhibit-modification-hooks t))
2101 (dolist (ol2 (overlay-get ol1 'text-clones))
2102 (let ((oe (overlay-end ol2)))
2103 (unless (or (eq ol1 ol2) (null oe))
2104 (setq nothing-left nil)
2105 (let ((mod-beg (+ (overlay-start ol2) head)))
2106 ;;(overlay-put ol2 'modification-hooks nil)
2107 (goto-char (- (overlay-end ol2) tail))
2108 (unless (> mod-beg (point))
2109 (save-excursion (insert str))
2110 (delete-region mod-beg (point)))
2111 ;;(overlay-put ol2 'modification-hooks '(text-clone-maintain))
2112 ))))
2113 (if nothing-left (delete-overlay ol1))))))))
2114
2115(defun text-clone-create (start end &optional spreadp syntax)
2116 "Create a text clone of START...END at point.
2117Text clones are chunks of text that are automatically kept identical:
2118changes done to one of the clones will be immediately propagated to the other.
2119
2120The buffer's content at point is assumed to be already identical to
2121the one between START and END.
2122If SYNTAX is provided it's a regexp that describes the possible text of
2123the clones; the clone will be shrunk or killed if necessary to ensure that
2124its text matches the regexp.
2125If SPREADP is non-nil it indicates that text inserted before/after the
2126clone should be incorporated in the clone."
2127 ;; To deal with SPREADP we can either use an overlay with `nil t' along
2128 ;; with insert-(behind|in-front-of)-hooks or use a slightly larger overlay
2129 ;; (with a one-char margin at each end) with `t nil'.
2130 ;; We opted for a larger overlay because it behaves better in the case
2131 ;; where the clone is reduced to the empty string (we want the overlay to
2132 ;; stay when the clone's content is the empty string and we want to use
2133 ;; `evaporate' to make sure those overlays get deleted when needed).
2134 ;;
2135 (let* ((pt-end (+ (point) (- end start)))
2136 (start-margin (if (or (not spreadp) (bobp) (<= start (point-min)))
2137 0 1))
2138 (end-margin (if (or (not spreadp)
2139 (>= pt-end (point-max))
2140 (>= start (point-max)))
2141 0 1))
2142 (ol1 (make-overlay (- start start-margin) (+ end end-margin) nil t))
2143 (ol2 (make-overlay (- (point) start-margin) (+ pt-end end-margin) nil t))
2144 (dups (list ol1 ol2)))
2145 (overlay-put ol1 'modification-hooks '(text-clone-maintain))
2146 (when spreadp (overlay-put ol1 'text-clone-spreadp t))
2147 (when syntax (overlay-put ol1 'text-clone-syntax syntax))
2148 ;;(overlay-put ol1 'face 'underline)
2149 (overlay-put ol1 'evaporate t)
2150 (overlay-put ol1 'text-clones dups)
2151 ;;
2152 (overlay-put ol2 'modification-hooks '(text-clone-maintain))
2153 (when spreadp (overlay-put ol2 'text-clone-spreadp t))
2154 (when syntax (overlay-put ol2 'text-clone-syntax syntax))
2155 ;;(overlay-put ol2 'face 'underline)
2156 (overlay-put ol2 'evaporate t)
2157 (overlay-put ol2 'text-clones dups)))
2493767e 2158\f
324cd947
PJ
2159(defun play-sound (sound)
2160 "SOUND is a list of the form `(sound KEYWORD VALUE...)'.
2161The following keywords are recognized:
2162
2163 :file FILE - read sound data from FILE. If FILE isn't an
2164absolute file name, it is searched in `data-directory'.
2165
2166 :data DATA - read sound data from string DATA.
2167
2168Exactly one of :file or :data must be present.
2169
2170 :volume VOL - set volume to VOL. VOL must an integer in the
2171range 0..100 or a float in the range 0..1.0. If not specified,
2172don't change the volume setting of the sound device.
2173
2174 :device DEVICE - play sound on DEVICE. If not specified,
2175a system-dependent default device name is used."
2176 (unless (fboundp 'play-sound-internal)
2177 (error "This Emacs binary lacks sound support"))
2178 (play-sound-internal sound))
2179
630cc463 2180;;; subr.el ends here