]> code.delx.au - gnu-emacs/blob - lisp/emacs-lisp/smie.el
* lisp/emacs-lisp/smie.el (smie-backward-sexp): Handle BOB better.
[gnu-emacs] / lisp / emacs-lisp / smie.el
1 ;;; smie.el --- Simple Minded Indentation Engine -*- lexical-binding: t -*-
2
3 ;; Copyright (C) 2010-2015 Free Software Foundation, Inc.
4
5 ;; Author: Stefan Monnier <monnier@iro.umontreal.ca>
6 ;; Keywords: languages, lisp, internal, parsing, indentation
7
8 ;; This file is part of GNU Emacs.
9
10 ;; GNU Emacs is free software; you can redistribute it and/or modify
11 ;; it under the terms of the GNU General Public License as published by
12 ;; the Free Software Foundation, either version 3 of the License, or
13 ;; (at your option) any later version.
14
15 ;; GNU Emacs is distributed in the hope that it will be useful,
16 ;; but WITHOUT ANY WARRANTY; without even the implied warranty of
17 ;; MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
18 ;; GNU General Public License for more details.
19
20 ;; You should have received a copy of the GNU General Public License
21 ;; along with this program. If not, see <http://www.gnu.org/licenses/>.
22
23 ;;; Commentary:
24
25 ;; While working on the SML indentation code, the idea grew that maybe
26 ;; I could write something generic to do the same thing, and at the
27 ;; end of working on the SML code, I had a pretty good idea of what it
28 ;; could look like. That idea grew stronger after working on
29 ;; LaTeX indentation.
30 ;;
31 ;; So at some point I decided to try it out, by writing a new
32 ;; indentation code for Coq while trying to keep most of the code
33 ;; "table driven", where only the tables are Coq-specific. The result
34 ;; (which was used for Beluga-mode as well) turned out to be based on
35 ;; something pretty close to an operator precedence parser.
36
37 ;; So here is another rewrite, this time following the actual principles of
38 ;; operator precedence grammars. Why OPG? Even though they're among the
39 ;; weakest kinds of parsers, these parsers have some very desirable properties
40 ;; for Emacs:
41 ;; - most importantly for indentation, they work equally well in either
42 ;; direction, so you can use them to parse backward from the indentation
43 ;; point to learn the syntactic context;
44 ;; - they work locally, so there's no need to keep a cache of
45 ;; the parser's state;
46 ;; - because of that locality, indentation also works just fine when earlier
47 ;; parts of the buffer are syntactically incorrect since the indentation
48 ;; looks at "as little as possible" of the buffer to make an indentation
49 ;; decision.
50 ;; - they typically have no error handling and can't even detect a parsing
51 ;; error, so we don't have to worry about what to do in case of a syntax
52 ;; error because the parser just automatically does something. Better yet,
53 ;; we can afford to use a sloppy grammar.
54
55 ;; A good background to understand the development (especially the parts
56 ;; building the 2D precedence tables and then computing the precedence levels
57 ;; from it) can be found in pages 187-194 of "Parsing techniques" by Dick Grune
58 ;; and Ceriel Jacobs (BookBody.pdf available at
59 ;; http://dickgrune.com/Books/PTAPG_1st_Edition/).
60 ;;
61 ;; OTOH we had to kill many chickens, read many coffee grounds, and practice
62 ;; untold numbers of black magic spells, to come up with the indentation code.
63 ;; Since then, some of that code has been beaten into submission, but the
64 ;; smie-indent-keyword is still pretty obscure.
65
66 ;; Conflict resolution:
67 ;;
68 ;; - One source of conflicts is when you have:
69 ;; (exp ("IF" exp "ELSE" exp "END") ("CASE" cases "END"))
70 ;; (cases (cases "ELSE" insts) ...)
71 ;; The IF-rule implies ELSE=END and the CASE-rule implies ELSE>END.
72 ;; This can be resolved simply with:
73 ;; (exp ("IF" expelseexp "END") ("CASE" cases "END"))
74 ;; (expelseexp (exp) (exp "ELSE" exp))
75 ;; (cases (cases "ELSE" insts) ...)
76 ;; - Another source of conflict is when a terminator/separator is used to
77 ;; terminate elements at different levels, as in:
78 ;; (decls ("VAR" vars) (decls "," decls))
79 ;; (vars (id) (vars "," vars))
80 ;; often these can be resolved by making the lexer distinguish the two
81 ;; kinds of commas, e.g. based on the following token.
82
83 ;; TODO & BUGS:
84 ;;
85 ;; - We could try to resolve conflicts such as the IFexpELSEexpEND -vs-
86 ;; CASE(casesELSEexp)END automatically by changing the way BNF rules such as
87 ;; the IF-rule is handled. I.e. rather than IF=ELSE and ELSE=END, we could
88 ;; turn them into IF<ELSE and ELSE>END and IF=END.
89 ;; - Using the structural information SMIE gives us, it should be possible to
90 ;; implement a `smie-align' command that would automatically figure out what
91 ;; there is to align and how to do it (something like: align the token of
92 ;; lowest precedence that appears the same number of times on all lines,
93 ;; and then do the same on each side of that token).
94 ;; - Maybe accept two juxtaposed non-terminals in the BNF under the condition
95 ;; that the first always ends with a terminal, or that the second always
96 ;; starts with a terminal.
97 ;; - Permit EBNF-style notation.
98 ;; - If the grammar has conflicts, the only way is to make the lexer return
99 ;; different tokens for the different cases. This extra work performed by
100 ;; the lexer can be costly and unnecessary: we perform this extra work every
101 ;; time we find the conflicting token, regardless of whether or not the
102 ;; difference between the various situations is relevant to the current
103 ;; situation. E.g. we may try to determine whether a ";" is a ";-operator"
104 ;; or a ";-separator" in a case where we're skipping over a "begin..end" pair
105 ;; where the difference doesn't matter. For frequently occurring tokens and
106 ;; rarely occurring conflicts, this can be a significant performance problem.
107 ;; We could try and let the lexer return a "set of possible tokens
108 ;; plus a refinement function" and then let parser call the refinement
109 ;; function if needed.
110 ;; - Make it possible to better specify the behavior in the face of
111 ;; syntax errors. IOW provide some control over the choice of precedence
112 ;; levels within the limits of the constraints. E.g. make it possible for
113 ;; the grammar to specify that "begin..end" has lower precedence than
114 ;; "Module..EndModule", so that if a "begin" is missing, scanning from the
115 ;; "end" will stop at "Module" rather than going past it (and similarly,
116 ;; scanning from "Module" should not stop at a spurious "end").
117
118 ;;; Code:
119
120 ;; FIXME:
121 ;; - smie-indent-comment doesn't interact well with mis-indented lines (where
122 ;; the indent rules don't do what the user wants). Not sure what to do.
123
124 (eval-when-compile (require 'cl-lib))
125
126 (defgroup smie nil
127 "Simple Minded Indentation Engine."
128 :group 'languages)
129
130 (defvar comment-continue)
131 (declare-function comment-string-strip "newcomment" (str beforep afterp))
132
133 ;;; Building precedence level tables from BNF specs.
134
135 ;; We have 4 different representations of a "grammar":
136 ;; - a BNF table, which is a list of BNF rules of the form
137 ;; (NONTERM RHS1 ... RHSn) where each RHS is a list of terminals (tokens)
138 ;; or nonterminals. Any element in these lists which does not appear as
139 ;; the `car' of a BNF rule is taken to be a terminal.
140 ;; - A list of precedences (key word "precs"), is a list, sorted
141 ;; from lowest to highest precedence, of precedence classes that
142 ;; have the form (ASSOCIATIVITY TERMINAL1 .. TERMINALn), where
143 ;; ASSOCIATIVITY can be `assoc', `left', `right' or `nonassoc'.
144 ;; - a 2 dimensional precedence table (key word "prec2"), is a 2D
145 ;; table recording the precedence relation (can be `<', `=', `>', or
146 ;; nil) between each pair of tokens.
147 ;; - a precedence-level table (key word "grammar"), which is an alist
148 ;; giving for each token its left and right precedence level (a
149 ;; number or nil). This is used in `smie-grammar'.
150 ;; The prec2 tables are only intermediate data structures: the source
151 ;; code normally provides a mix of BNF and precs tables, and then
152 ;; turns them into a levels table, which is what's used by the rest of
153 ;; the SMIE code.
154
155 (defvar smie-warning-count 0)
156
157 (defun smie-set-prec2tab (table x y val &optional override)
158 (cl-assert (and x y))
159 (let* ((key (cons x y))
160 (old (gethash key table)))
161 (if (and old (not (eq old val)))
162 (if (and override (gethash key override))
163 ;; FIXME: The override is meant to resolve ambiguities,
164 ;; but it also hides real conflicts. It would be great to
165 ;; be able to distinguish the two cases so that overrides
166 ;; don't hide real conflicts.
167 (puthash key (gethash key override) table)
168 (display-warning 'smie (format "Conflict: %s %s/%s %s" x old val y))
169 (cl-incf smie-warning-count))
170 (puthash key val table))))
171
172 (defun smie-precs->prec2 (precs)
173 "Compute a 2D precedence table from a list of precedences.
174 PRECS should be a list, sorted by precedence (e.g. \"+\" will
175 come before \"*\"), of elements of the form \(left OP ...)
176 or (right OP ...) or (nonassoc OP ...) or (assoc OP ...). All operators in
177 one of those elements share the same precedence level and associativity."
178 (declare (pure t))
179 (let ((prec2-table (make-hash-table :test 'equal)))
180 (dolist (prec precs)
181 (dolist (op (cdr prec))
182 (let ((selfrule (cdr (assq (car prec)
183 '((left . >) (right . <) (assoc . =))))))
184 (when selfrule
185 (dolist (other-op (cdr prec))
186 (smie-set-prec2tab prec2-table op other-op selfrule))))
187 (let ((op1 '<) (op2 '>))
188 (dolist (other-prec precs)
189 (if (eq prec other-prec)
190 (setq op1 '> op2 '<)
191 (dolist (other-op (cdr other-prec))
192 (smie-set-prec2tab prec2-table op other-op op2)
193 (smie-set-prec2tab prec2-table other-op op op1)))))))
194 prec2-table))
195
196 (defun smie-merge-prec2s (&rest tables)
197 (declare (pure t))
198 (if (null (cdr tables))
199 (car tables)
200 (let ((prec2 (make-hash-table :test 'equal)))
201 (dolist (table tables)
202 (maphash (lambda (k v)
203 (if (consp k)
204 (smie-set-prec2tab prec2 (car k) (cdr k) v)
205 (if (and (gethash k prec2)
206 (not (equal (gethash k prec2) v)))
207 (error "Conflicting values for %s property" k)
208 (puthash k v prec2))))
209 table))
210 prec2)))
211
212 (defun smie-bnf->prec2 (bnf &rest resolvers)
213 "Convert the BNF grammar into a prec2 table.
214 BNF is a list of nonterminal definitions of the form:
215 (NONTERM RHS1 RHS2 ...)
216 where each RHS is a (non-empty) list of terminals (aka tokens) or non-terminals.
217 Not all grammars are accepted:
218 - an RHS cannot be an empty list (this is not needed, since SMIE allows all
219 non-terminals to match the empty string anyway).
220 - an RHS cannot have 2 consecutive non-terminals: between each non-terminal
221 needs to be a terminal (aka token). This is a fundamental limitation of
222 the parsing technology used (operator precedence grammar).
223 Additionally, conflicts can occur:
224 - The returned prec2 table holds constraints between pairs of
225 token, and for any given pair only one constraint can be
226 present, either: T1 < T2, T1 = T2, or T1 > T2.
227 - A token can either be an `opener' (something similar to an open-paren),
228 a `closer' (like a close-paren), or `neither' of the two (e.g. an infix
229 operator, or an inner token like \"else\").
230 Conflicts can be resolved via RESOLVERS, which is a list of elements that can
231 be either:
232 - a precs table (see `smie-precs->prec2') to resolve conflicting constraints,
233 - a constraint (T1 REL T2) where REL is one of = < or >."
234 (declare (pure t))
235 ;; FIXME: Add repetition operator like (repeat <separator> <elems>).
236 ;; Maybe also add (or <elem1> <elem2>...) for things like
237 ;; (exp (exp (or "+" "*" "=" ..) exp)).
238 ;; Basically, make it EBNF (except for the specification of a separator in
239 ;; the repetition, maybe).
240 (let* ((nts (mapcar 'car bnf)) ;Non-terminals.
241 (first-ops-table ())
242 (last-ops-table ())
243 (first-nts-table ())
244 (last-nts-table ())
245 (smie-warning-count 0)
246 (prec2 (make-hash-table :test 'equal))
247 (override
248 (let ((precs ())
249 (over (make-hash-table :test 'equal)))
250 (dolist (resolver resolvers)
251 (cond
252 ((and (= 3 (length resolver)) (memq (nth 1 resolver) '(= < >)))
253 (smie-set-prec2tab
254 over (nth 0 resolver) (nth 2 resolver) (nth 1 resolver)))
255 ((memq (caar resolver) '(left right assoc nonassoc))
256 (push resolver precs))
257 (t (error "Unknown resolver %S" resolver))))
258 (apply #'smie-merge-prec2s over
259 (mapcar 'smie-precs->prec2 precs))))
260 again)
261 (dolist (rules bnf)
262 (let ((nt (car rules))
263 (last-ops ())
264 (first-ops ())
265 (last-nts ())
266 (first-nts ()))
267 (dolist (rhs (cdr rules))
268 (unless (consp rhs)
269 (signal 'wrong-type-argument `(consp ,rhs)))
270 (if (not (member (car rhs) nts))
271 (cl-pushnew (car rhs) first-ops)
272 (cl-pushnew (car rhs) first-nts)
273 (when (consp (cdr rhs))
274 ;; If the first is not an OP we add the second (which
275 ;; should be an OP if BNF is an "operator grammar").
276 ;; Strictly speaking, this should only be done if the
277 ;; first is a non-terminal which can expand to a phrase
278 ;; without any OP in it, but checking doesn't seem worth
279 ;; the trouble, and it lets the writer of the BNF
280 ;; be a bit more sloppy by skipping uninteresting base
281 ;; cases which are terminals but not OPs.
282 (when (member (cadr rhs) nts)
283 (error "Adjacent non-terminals: %s %s"
284 (car rhs) (cadr rhs)))
285 (cl-pushnew (cadr rhs) first-ops)))
286 (let ((shr (reverse rhs)))
287 (if (not (member (car shr) nts))
288 (cl-pushnew (car shr) last-ops)
289 (cl-pushnew (car shr) last-nts)
290 (when (consp (cdr shr))
291 (when (member (cadr shr) nts)
292 (error "Adjacent non-terminals: %s %s"
293 (cadr shr) (car shr)))
294 (cl-pushnew (cadr shr) last-ops)))))
295 (push (cons nt first-ops) first-ops-table)
296 (push (cons nt last-ops) last-ops-table)
297 (push (cons nt first-nts) first-nts-table)
298 (push (cons nt last-nts) last-nts-table)))
299 ;; Compute all first-ops by propagating the initial ones we have
300 ;; now, according to first-nts.
301 (setq again t)
302 (while (prog1 again (setq again nil))
303 (dolist (first-nts first-nts-table)
304 (let* ((nt (pop first-nts))
305 (first-ops (assoc nt first-ops-table)))
306 (dolist (first-nt first-nts)
307 (dolist (op (cdr (assoc first-nt first-ops-table)))
308 (unless (member op first-ops)
309 (setq again t)
310 (push op (cdr first-ops))))))))
311 ;; Same thing for last-ops.
312 (setq again t)
313 (while (prog1 again (setq again nil))
314 (dolist (last-nts last-nts-table)
315 (let* ((nt (pop last-nts))
316 (last-ops (assoc nt last-ops-table)))
317 (dolist (last-nt last-nts)
318 (dolist (op (cdr (assoc last-nt last-ops-table)))
319 (unless (member op last-ops)
320 (setq again t)
321 (push op (cdr last-ops))))))))
322 ;; Now generate the 2D precedence table.
323 (dolist (rules bnf)
324 (dolist (rhs (cdr rules))
325 (while (cdr rhs)
326 (cond
327 ((member (car rhs) nts)
328 (dolist (last (cdr (assoc (car rhs) last-ops-table)))
329 (smie-set-prec2tab prec2 last (cadr rhs) '> override)))
330 ((member (cadr rhs) nts)
331 (dolist (first (cdr (assoc (cadr rhs) first-ops-table)))
332 (smie-set-prec2tab prec2 (car rhs) first '< override))
333 (if (and (cddr rhs) (not (member (car (cddr rhs)) nts)))
334 (smie-set-prec2tab prec2 (car rhs) (car (cddr rhs))
335 '= override)))
336 (t (smie-set-prec2tab prec2 (car rhs) (cadr rhs) '= override)))
337 (setq rhs (cdr rhs)))))
338 ;; Keep track of which tokens are openers/closer, so they can get a nil
339 ;; precedence in smie-prec2->grammar.
340 (puthash :smie-open/close-alist (smie-bnf--classify bnf) prec2)
341 (puthash :smie-closer-alist (smie-bnf--closer-alist bnf) prec2)
342 (if (> smie-warning-count 0)
343 (display-warning
344 'smie (format "Total: %d warnings" smie-warning-count)))
345 prec2))
346
347 ;; (defun smie-prec2-closer-alist (prec2 include-inners)
348 ;; "Build a closer-alist from a PREC2 table.
349 ;; The return value is in the same form as `smie-closer-alist'.
350 ;; INCLUDE-INNERS if non-nil means that inner keywords will be included
351 ;; in the table, e.g. the table will include things like (\"if\" . \"else\")."
352 ;; (let* ((non-openers '())
353 ;; (non-closers '())
354 ;; ;; For each keyword, this gives the matching openers, if any.
355 ;; (openers (make-hash-table :test 'equal))
356 ;; (closers '())
357 ;; (done nil))
358 ;; ;; First, find the non-openers and non-closers.
359 ;; (maphash (lambda (k v)
360 ;; (unless (or (eq v '<) (member (cdr k) non-openers))
361 ;; (push (cdr k) non-openers))
362 ;; (unless (or (eq v '>) (member (car k) non-closers))
363 ;; (push (car k) non-closers)))
364 ;; prec2)
365 ;; ;; Then find the openers and closers.
366 ;; (maphash (lambda (k _)
367 ;; (unless (member (car k) non-openers)
368 ;; (puthash (car k) (list (car k)) openers))
369 ;; (unless (or (member (cdr k) non-closers)
370 ;; (member (cdr k) closers))
371 ;; (push (cdr k) closers)))
372 ;; prec2)
373 ;; ;; Then collect the matching elements.
374 ;; (while (not done)
375 ;; (setq done t)
376 ;; (maphash (lambda (k v)
377 ;; (when (eq v '=)
378 ;; (let ((aopeners (gethash (car k) openers))
379 ;; (dopeners (gethash (cdr k) openers))
380 ;; (new nil))
381 ;; (dolist (o aopeners)
382 ;; (unless (member o dopeners)
383 ;; (setq new t)
384 ;; (push o dopeners)))
385 ;; (when new
386 ;; (setq done nil)
387 ;; (puthash (cdr k) dopeners openers)))))
388 ;; prec2))
389 ;; ;; Finally, dump the resulting table.
390 ;; (let ((alist '()))
391 ;; (maphash (lambda (k v)
392 ;; (when (or include-inners (member k closers))
393 ;; (dolist (opener v)
394 ;; (unless (equal opener k)
395 ;; (push (cons opener k) alist)))))
396 ;; openers)
397 ;; alist)))
398
399 (defun smie-bnf--closer-alist (bnf &optional no-inners)
400 ;; We can also build this closer-alist table from a prec2 table,
401 ;; but it takes more work, and the order is unpredictable, which
402 ;; is a problem for smie-close-block.
403 ;; More convenient would be to build it from a levels table since we
404 ;; always have this table (contrary to the BNF), but it has all the
405 ;; disadvantages of the prec2 case plus the disadvantage that the levels
406 ;; table has lost some info which would result in extra invalid pairs.
407 "Build a closer-alist from a BNF table.
408 The return value is in the same form as `smie-closer-alist'.
409 NO-INNERS if non-nil means that inner keywords will be excluded
410 from the table, e.g. the table will not include things like (\"if\" . \"else\")."
411 (let ((nts (mapcar #'car bnf)) ;non terminals.
412 (alist '()))
413 (dolist (nt bnf)
414 (dolist (rhs (cdr nt))
415 (unless (or (< (length rhs) 2) (member (car rhs) nts))
416 (if no-inners
417 (let ((last (car (last rhs))))
418 (unless (member last nts)
419 (cl-pushnew (cons (car rhs) last) alist :test #'equal)))
420 ;; Reverse so that the "real" closer gets there first,
421 ;; which is important for smie-close-block.
422 (dolist (term (reverse (cdr rhs)))
423 (unless (member term nts)
424 (cl-pushnew (cons (car rhs) term) alist :test #'equal)))))))
425 (nreverse alist)))
426
427 (defun smie-bnf--set-class (table token class)
428 (let ((prev (gethash token table class)))
429 (puthash token
430 (cond
431 ((eq prev class) class)
432 ((eq prev t) t) ;Non-terminal.
433 (t (display-warning
434 'smie
435 (format "token %s is both %s and %s" token class prev))
436 'neither))
437 table)))
438
439 (defun smie-bnf--classify (bnf)
440 "Return a table classifying terminals.
441 Each terminal can either be an `opener', a `closer', or `neither'."
442 (let ((table (make-hash-table :test #'equal))
443 (alist '()))
444 (dolist (category bnf)
445 (puthash (car category) t table)) ;Mark non-terminals.
446 (dolist (category bnf)
447 (dolist (rhs (cdr category))
448 (if (null (cdr rhs))
449 (smie-bnf--set-class table (pop rhs) 'neither)
450 (smie-bnf--set-class table (pop rhs) 'opener)
451 (while (cdr rhs) ;Remove internals.
452 (smie-bnf--set-class table (pop rhs) 'neither))
453 (smie-bnf--set-class table (pop rhs) 'closer))))
454 (maphash (lambda (tok v)
455 (when (memq v '(closer opener))
456 (push (cons tok v) alist)))
457 table)
458 alist))
459
460 (defun smie-debug--prec2-cycle (csts)
461 "Return a cycle in CSTS, assuming there's one.
462 CSTS is a list of pairs representing arcs in a graph."
463 ;; A PATH is of the form (START . REST) where REST is a reverse
464 ;; list of nodes through which the path goes.
465 (let ((paths (mapcar (lambda (pair) (list (car pair) (cdr pair))) csts))
466 (cycle nil))
467 (while (null cycle)
468 (dolist (path (prog1 paths (setq paths nil)))
469 (dolist (cst csts)
470 (when (eq (car cst) (nth 1 path))
471 (if (eq (cdr cst) (car path))
472 (setq cycle path)
473 (push (cons (car path) (cons (cdr cst) (cdr path)))
474 paths))))))
475 (cons (car cycle) (nreverse (cdr cycle)))))
476
477 (defun smie-debug--describe-cycle (table cycle)
478 (let ((names
479 (mapcar (lambda (val)
480 (let ((res nil))
481 (dolist (elem table)
482 (if (eq (cdr elem) val)
483 (push (concat "." (car elem)) res))
484 (if (eq (cddr elem) val)
485 (push (concat (car elem) ".") res)))
486 (cl-assert res)
487 res))
488 cycle)))
489 (mapconcat
490 (lambda (elems) (mapconcat 'identity elems "="))
491 (append names (list (car names)))
492 " < ")))
493
494 ;; (defun smie-check-grammar (grammar prec2 &optional dummy)
495 ;; (maphash (lambda (k v)
496 ;; (when (consp k)
497 ;; (let ((left (nth 2 (assoc (car k) grammar)))
498 ;; (right (nth 1 (assoc (cdr k) grammar))))
499 ;; (when (and left right)
500 ;; (cond
501 ;; ((< left right) (cl-assert (eq v '<)))
502 ;; ((> left right) (cl-assert (eq v '>)))
503 ;; (t (cl-assert (eq v '=))))))))
504 ;; prec2))
505
506 (defun smie-prec2->grammar (prec2)
507 "Take a 2D precedence table and turn it into an alist of precedence levels.
508 PREC2 is a table as returned by `smie-precs->prec2' or
509 `smie-bnf->prec2'."
510 (declare (pure t))
511 ;; For each operator, we create two "variables" (corresponding to
512 ;; the left and right precedence level), which are represented by
513 ;; cons cells. Those are the very cons cells that appear in the
514 ;; final `table'. The value of each "variable" is kept in the `car'.
515 (let ((table ())
516 (csts ())
517 (eqs ()))
518 ;; From `prec2' we construct a list of constraints between
519 ;; variables (aka "precedence levels"). These can be either
520 ;; equality constraints (in `eqs') or `<' constraints (in `csts').
521 (maphash (lambda (k v)
522 (when (consp k)
523 (let ((tmp (assoc (car k) table))
524 x y)
525 (if tmp
526 (setq x (cddr tmp))
527 (setq x (cons nil nil))
528 (push (cons (car k) (cons nil x)) table))
529 (if (setq tmp (assoc (cdr k) table))
530 (setq y (cdr tmp))
531 (setq y (cons nil (cons nil nil)))
532 (push (cons (cdr k) y) table))
533 (pcase v
534 (`= (push (cons x y) eqs))
535 (`< (push (cons x y) csts))
536 (`> (push (cons y x) csts))
537 (_ (error "SMIE error: prec2 has %S↦%S which ∉ {<,+,>}"
538 k v))))))
539 prec2)
540 ;; First process the equality constraints.
541 (let ((eqs eqs))
542 (while eqs
543 (let ((from (caar eqs))
544 (to (cdar eqs)))
545 (setq eqs (cdr eqs))
546 (if (eq to from)
547 nil ;Nothing to do.
548 (dolist (other-eq eqs)
549 (if (eq from (cdr other-eq)) (setcdr other-eq to))
550 (when (eq from (car other-eq))
551 ;; This can happen because of `assoc' settings in precs
552 ;; or because of a rhs like ("op" foo "op").
553 (setcar other-eq to)))
554 (dolist (cst csts)
555 (if (eq from (cdr cst)) (setcdr cst to))
556 (if (eq from (car cst)) (setcar cst to)))))))
557 ;; Then eliminate trivial constraints iteratively.
558 (let ((i 0))
559 (while csts
560 (let ((rhvs (mapcar 'cdr csts))
561 (progress nil))
562 (dolist (cst csts)
563 (unless (memq (car cst) rhvs)
564 (setq progress t)
565 ;; We could give each var in a given iteration the same value,
566 ;; but we can also give them arbitrarily different values.
567 ;; Basically, these are vars between which there is no
568 ;; constraint (neither equality nor inequality), so
569 ;; anything will do.
570 ;; We give them arbitrary values, which means that we
571 ;; replace the "no constraint" case with either > or <
572 ;; but not =. The reason we do that is so as to try and
573 ;; distinguish associative operators (which will have
574 ;; left = right).
575 (unless (caar cst)
576 (setcar (car cst) i)
577 ;; (smie-check-grammar table prec2 'step1)
578 (cl-incf i))
579 (setq csts (delq cst csts))))
580 (unless progress
581 (error "Can't resolve the precedence cycle: %s"
582 (smie-debug--describe-cycle
583 table (smie-debug--prec2-cycle csts)))))
584 (cl-incf i 10))
585 ;; Propagate equality constraints back to their sources.
586 (dolist (eq (nreverse eqs))
587 (when (null (cadr eq))
588 ;; There's an equality constraint, but we still haven't given
589 ;; it a value: that means it binds tighter than anything else,
590 ;; and it can't be an opener/closer (those don't have equality
591 ;; constraints).
592 ;; So set it here rather than below since doing it below
593 ;; makes it more difficult to obey the equality constraints.
594 (setcar (cdr eq) i)
595 (cl-incf i))
596 (cl-assert (or (null (caar eq)) (eq (caar eq) (cadr eq))))
597 (setcar (car eq) (cadr eq))
598 ;; (smie-check-grammar table prec2 'step2)
599 )
600 ;; Finally, fill in the remaining vars (which did not appear on the
601 ;; left side of any < constraint).
602 (dolist (x table)
603 (unless (nth 1 x)
604 (setf (nth 1 x) i)
605 (cl-incf i)) ;See other (cl-incf i) above.
606 (unless (nth 2 x)
607 (setf (nth 2 x) i)
608 (cl-incf i)))) ;See other (cl-incf i) above.
609 ;; Mark closers and openers.
610 (dolist (x (gethash :smie-open/close-alist prec2))
611 (let* ((token (car x))
612 (cons (pcase (cdr x)
613 (`closer (cddr (assoc token table)))
614 (`opener (cdr (assoc token table))))))
615 ;; `cons' can be nil for openers/closers which only contain
616 ;; "atomic" elements.
617 (when cons
618 (cl-assert (numberp (car cons)))
619 (setf (car cons) (list (car cons))))))
620 (let ((ca (gethash :smie-closer-alist prec2)))
621 (when ca (push (cons :smie-closer-alist ca) table)))
622 ;; (smie-check-grammar table prec2 'step3)
623 table))
624
625 ;;; Parsing using a precedence level table.
626
627 (defvar smie-grammar 'unset
628 "List of token parsing info.
629 This list is normally built by `smie-prec2->grammar'.
630 Each element is of the form (TOKEN LEFT-LEVEL RIGHT-LEVEL).
631 Parsing is done using an operator precedence parser.
632 LEFT-LEVEL and RIGHT-LEVEL can be either numbers or a list, where a list
633 means that this operator does not bind on the corresponding side,
634 e.g. a LEFT-LEVEL of nil means this is a token that behaves somewhat like
635 an open-paren, whereas a RIGHT-LEVEL of nil would correspond to something
636 like a close-paren.")
637
638 (defvar smie-forward-token-function #'smie-default-forward-token
639 "Function to scan forward for the next token.
640 Called with no argument should return a token and move to its end.
641 If no token is found, return nil or the empty string.
642 It can return nil when bumping into a parenthesis, which lets SMIE
643 use syntax-tables to handle them in efficient C code.")
644
645 (defvar smie-backward-token-function #'smie-default-backward-token
646 "Function to scan backward the previous token.
647 Same calling convention as `smie-forward-token-function' except
648 it should move backward to the beginning of the previous token.")
649
650 (defalias 'smie-op-left 'car)
651 (defalias 'smie-op-right 'cadr)
652
653 (defun smie-default-backward-token ()
654 (forward-comment (- (point)))
655 (buffer-substring-no-properties
656 (point)
657 (progn (if (zerop (skip-syntax-backward "."))
658 (skip-syntax-backward "w_'"))
659 (point))))
660
661 (defun smie-default-forward-token ()
662 (forward-comment (point-max))
663 (buffer-substring-no-properties
664 (point)
665 (progn (if (zerop (skip-syntax-forward "."))
666 (skip-syntax-forward "w_'"))
667 (point))))
668
669 (defun smie--associative-p (toklevels)
670 ;; in "a + b + c" we want to stop at each +, but in
671 ;; "if a then b elsif c then d else c" we don't want to stop at each keyword.
672 ;; To distinguish the two cases, we made smie-prec2->grammar choose
673 ;; different levels for each part of "if a then b else c", so that
674 ;; by checking if the left-level is equal to the right level, we can
675 ;; figure out that it's an associative operator.
676 ;; This is not 100% foolproof, tho, since the "elsif" will have to have
677 ;; equal left and right levels (since it's optional), so smie-next-sexp
678 ;; has to be careful to distinguish those different cases.
679 (eq (smie-op-left toklevels) (smie-op-right toklevels)))
680
681 (defun smie-next-sexp (next-token next-sexp op-forw op-back halfsexp)
682 "Skip over one sexp.
683 NEXT-TOKEN is a function of no argument that moves forward by one
684 token (after skipping comments if needed) and returns it.
685 NEXT-SEXP is a lower-level function to skip one sexp.
686 OP-FORW is the accessor to the forward level of the level data.
687 OP-BACK is the accessor to the backward level of the level data.
688 HALFSEXP if non-nil, means skip over a partial sexp if needed. I.e. if the
689 first token we see is an operator, skip over its left-hand-side argument.
690 HALFSEXP can also be a token, in which case it means to parse as if
691 we had just successfully passed this token.
692 Possible return values:
693 (FORW-LEVEL POS TOKEN): we couldn't skip TOKEN because its back-level
694 is too high. FORW-LEVEL is the forw-level of TOKEN,
695 POS is its start position in the buffer.
696 (t POS TOKEN): same thing when we bump on the wrong side of a paren.
697 Instead of t, the `car' can also be some other non-nil non-number value.
698 (nil POS TOKEN): we skipped over a paren-like pair.
699 nil: we skipped over an identifier, matched parentheses, ..."
700 (catch 'return
701 (let ((levels
702 (if (stringp halfsexp)
703 (prog1 (list (cdr (assoc halfsexp smie-grammar)))
704 (setq halfsexp nil)))))
705 (while
706 (let* ((pos (point))
707 (token (funcall next-token))
708 (toklevels (cdr (assoc token smie-grammar))))
709 (cond
710 ((null toklevels)
711 (when (zerop (length token))
712 (condition-case err
713 (progn (funcall next-sexp 1) nil)
714 (scan-error
715 (let* ((epos1 (nth 2 err))
716 (epos (if (<= (point) epos1) (nth 3 err) epos1)))
717 (goto-char pos)
718 (throw 'return
719 (list t epos
720 (buffer-substring-no-properties
721 epos
722 (+ epos (if (< (point) epos) -1 1))))))))
723 (if (eq pos (point))
724 ;; We did not move, so let's abort the loop.
725 (throw 'return (list t (point))))))
726 ((not (numberp (funcall op-back toklevels)))
727 ;; A token like a paren-close.
728 (cl-assert (numberp ; Otherwise, why mention it in smie-grammar.
729 (funcall op-forw toklevels)))
730 (push toklevels levels))
731 (t
732 (while (and levels (< (funcall op-back toklevels)
733 (funcall op-forw (car levels))))
734 (setq levels (cdr levels)))
735 (cond
736 ((null levels)
737 (if (and halfsexp (numberp (funcall op-forw toklevels)))
738 (push toklevels levels)
739 (throw 'return
740 (prog1 (list (or (funcall op-forw toklevels) t)
741 (point) token)
742 (goto-char pos)))))
743 (t
744 (let ((lastlevels levels))
745 (if (and levels (= (funcall op-back toklevels)
746 (funcall op-forw (car levels))))
747 (setq levels (cdr levels)))
748 ;; We may have found a match for the previously pending
749 ;; operator. Is this the end?
750 (cond
751 ;; Keep looking as long as we haven't matched the
752 ;; topmost operator.
753 (levels
754 (cond
755 ((numberp (funcall op-forw toklevels))
756 (push toklevels levels))
757 ;; FIXME: For some languages, we can express the grammar
758 ;; OK, but next-sexp doesn't stop where we'd want it to.
759 ;; E.g. in SML, we'd want to stop right in front of
760 ;; "local" if we're scanning (both forward and backward)
761 ;; from a "val/fun/..." at the same level.
762 ;; Same for Pascal/Modula2's "procedure" w.r.t
763 ;; "type/var/const".
764 ;;
765 ;; ((and (functionp (cadr (funcall op-forw toklevels)))
766 ;; (funcall (cadr (funcall op-forw toklevels))
767 ;; levels))
768 ;; (setq levels nil))
769 ))
770 ;; We matched the topmost operator. If the new operator
771 ;; is the last in the corresponding BNF rule, we're done.
772 ((not (numberp (funcall op-forw toklevels)))
773 ;; It is the last element, let's stop here.
774 (throw 'return (list nil (point) token)))
775 ;; If the new operator is not the last in the BNF rule,
776 ;; and is not associative, it's one of the inner operators
777 ;; (like the "in" in "let .. in .. end"), so keep looking.
778 ((not (smie--associative-p toklevels))
779 (push toklevels levels))
780 ;; The new operator is associative. Two cases:
781 ;; - it's really just an associative operator (like + or ;)
782 ;; in which case we should have stopped right before.
783 ((and lastlevels
784 (smie--associative-p (car lastlevels)))
785 (throw 'return
786 (prog1 (list (or (funcall op-forw toklevels) t)
787 (point) token)
788 (goto-char pos))))
789 ;; - it's an associative operator within a larger construct
790 ;; (e.g. an "elsif"), so we should just ignore it and keep
791 ;; looking for the closing element.
792 (t (setq levels lastlevels))))))))
793 levels)
794 (setq halfsexp nil)))))
795
796 (defun smie-backward-sexp (&optional halfsexp)
797 "Skip over one sexp.
798 HALFSEXP if non-nil, means skip over a partial sexp if needed. I.e. if the
799 first token we see is an operator, skip over its left-hand-side argument.
800 HALFSEXP can also be a token, in which case we should skip the text
801 assuming it is the left-hand-side argument of that token.
802 Possible return values:
803 (LEFT-LEVEL POS TOKEN): we couldn't skip TOKEN because its right-level
804 is too high. LEFT-LEVEL is the left-level of TOKEN,
805 POS is its start position in the buffer.
806 (t POS TOKEN): same thing but for an open-paren or the beginning of buffer.
807 Instead of t, the `car' can also be some other non-nil non-number value.
808 (nil POS TOKEN): we skipped over a paren-like pair.
809 nil: we skipped over an identifier, matched parentheses, ..."
810 (smie-next-sexp
811 (indirect-function smie-backward-token-function)
812 (lambda (n)
813 (if (bobp)
814 ;; Arguably backward-sexp hould signal this error for us.
815 (signal 'scan-error
816 (list "Beginning of buffer" (point) (point)))
817 (backward-sexp n)))
818 (indirect-function #'smie-op-left)
819 (indirect-function #'smie-op-right)
820 halfsexp))
821
822 (defun smie-forward-sexp (&optional halfsexp)
823 "Skip over one sexp.
824 HALFSEXP if non-nil, means skip over a partial sexp if needed. I.e. if the
825 first token we see is an operator, skip over its right-hand-side argument.
826 HALFSEXP can also be a token, in which case we should skip the text
827 assuming it is the right-hand-side argument of that token.
828 Possible return values:
829 (RIGHT-LEVEL POS TOKEN): we couldn't skip TOKEN because its left-level
830 is too high. RIGHT-LEVEL is the right-level of TOKEN,
831 POS is its end position in the buffer.
832 (t POS TOKEN): same thing but for a close-paren or the end of buffer.
833 Instead of t, the `car' can also be some other non-nil non-number value.
834 (nil POS TOKEN): we skipped over a paren-like pair.
835 nil: we skipped over an identifier, matched parentheses, ..."
836 (smie-next-sexp
837 (indirect-function smie-forward-token-function)
838 (indirect-function #'forward-sexp)
839 (indirect-function #'smie-op-right)
840 (indirect-function #'smie-op-left)
841 halfsexp))
842
843 ;;; Miscellaneous commands using the precedence parser.
844
845 (defun smie-backward-sexp-command (n)
846 "Move backward through N logical elements."
847 (interactive "^p")
848 (smie-forward-sexp-command (- n)))
849
850 (defun smie-forward-sexp-command (n)
851 "Move forward through N logical elements."
852 (interactive "^p")
853 (let ((forw (> n 0))
854 (forward-sexp-function nil))
855 (while (/= n 0)
856 (setq n (- n (if forw 1 -1)))
857 (let ((pos (point))
858 (res (if forw
859 (smie-forward-sexp 'halfsexp)
860 (smie-backward-sexp 'halfsexp))))
861 (if (and (car res) (= pos (point)) (not (if forw (eobp) (bobp))))
862 (signal 'scan-error
863 (list "Containing expression ends prematurely"
864 (cadr res) (cadr res)))
865 nil)))))
866
867 (defvar smie-closer-alist nil
868 "Alist giving the closer corresponding to an opener.")
869
870 (defun smie-close-block ()
871 "Close the closest surrounding block."
872 (interactive)
873 (let ((closer
874 (save-excursion
875 (backward-up-list 1)
876 (if (looking-at "\\s(")
877 (string (cdr (syntax-after (point))))
878 (let* ((open (funcall smie-forward-token-function))
879 (closer (cdr (assoc open smie-closer-alist)))
880 (levels (list (assoc open smie-grammar)))
881 (seen '())
882 (found '()))
883 (cond
884 ;; Even if we improve the auto-computation of closers,
885 ;; there are still cases where we need manual
886 ;; intervention, e.g. for Octave's use of `until'
887 ;; as a pseudo-closer of `do'.
888 (closer)
889 ((or (equal levels '(nil)) (numberp (nth 1 (car levels))))
890 (error "Doesn't look like a block"))
891 (t
892 ;; Now that smie-setup automatically sets smie-closer-alist
893 ;; from the BNF, this is not really needed any more.
894 (while levels
895 (let ((level (pop levels)))
896 (dolist (other smie-grammar)
897 (when (and (eq (nth 2 level) (nth 1 other))
898 (not (memq other seen)))
899 (push other seen)
900 (if (numberp (nth 2 other))
901 (push other levels)
902 (push (car other) found))))))
903 (cond
904 ((null found) (error "No known closer for opener %s" open))
905 ;; What should we do if there are various closers?
906 (t (car found))))))))))
907 (unless (save-excursion (skip-chars-backward " \t") (bolp))
908 (newline))
909 (insert closer)
910 (if (save-excursion (skip-chars-forward " \t") (eolp))
911 (indent-according-to-mode)
912 (reindent-then-newline-and-indent))))
913
914 (defun smie-down-list (&optional arg)
915 "Move forward down one level paren-like blocks. Like `down-list'.
916 With argument ARG, do this that many times.
917 A negative argument means move backward but still go down a level.
918 This command assumes point is not in a string or comment."
919 (interactive "p")
920 (let ((start (point))
921 (inc (if (< arg 0) -1 1))
922 (offset (if (< arg 0) 1 0))
923 (next-token (if (< arg 0)
924 smie-backward-token-function
925 smie-forward-token-function)))
926 (while (/= arg 0)
927 (setq arg (- arg inc))
928 (while
929 (let* ((pos (point))
930 (token (funcall next-token))
931 (levels (assoc token smie-grammar)))
932 (cond
933 ((zerop (length token))
934 (if (if (< inc 0) (looking-back "\\s(\\|\\s)" (1- (point)))
935 (looking-at "\\s(\\|\\s)"))
936 ;; Go back to `start' in case of an error. This presumes
937 ;; none of the token we've found until now include a ( or ).
938 (progn (goto-char start) (down-list inc) nil)
939 (forward-sexp inc)
940 (/= (point) pos)))
941 ((and levels (not (numberp (nth (+ 1 offset) levels)))) nil)
942 ((and levels (not (numberp (nth (- 2 offset) levels))))
943 (let ((end (point)))
944 (goto-char start)
945 (signal 'scan-error
946 (list "Containing expression ends prematurely"
947 pos end))))
948 (t)))))))
949
950 (defvar smie-blink-matching-triggers '(?\s ?\n)
951 "Chars which might trigger `blink-matching-open'.
952 These can include the final chars of end-tokens, or chars that are
953 typically inserted right after an end token.
954 I.e. a good choice can be:
955 (delete-dups
956 (mapcar (lambda (kw) (aref (cdr kw) (1- (length (cdr kw)))))
957 smie-closer-alist))")
958
959 (defcustom smie-blink-matching-inners t
960 "Whether SMIE should blink to matching opener for inner keywords.
961 If non-nil, it will blink not only for \"begin..end\" but also for \"if...else\"."
962 :type 'boolean
963 :group 'smie)
964
965 (defun smie-blink-matching-check (start end)
966 (save-excursion
967 (goto-char end)
968 (let ((ender (funcall smie-backward-token-function)))
969 (cond
970 ((not (and ender (rassoc ender smie-closer-alist)))
971 ;; This is not one of the begin..end we know how to check.
972 (blink-matching-check-mismatch start end))
973 ((not start) t)
974 ((eq t (car (rassoc ender smie-closer-alist))) nil)
975 (t
976 (goto-char start)
977 (let ((starter (funcall smie-forward-token-function)))
978 (not (member (cons starter ender) smie-closer-alist))))))))
979
980 (defun smie-blink-matching-open ()
981 "Blink the matching opener when applicable.
982 This uses SMIE's tables and is expected to be placed on `post-self-insert-hook'."
983 (let ((pos (point)) ;Position after the close token.
984 token)
985 (when (and blink-matching-paren
986 smie-closer-alist ; Optimization.
987 (or (eq (char-before) last-command-event) ;; Sanity check.
988 (save-excursion
989 (or (progn (skip-chars-backward " \t")
990 (setq pos (point))
991 (eq (char-before) last-command-event))
992 (progn (skip-chars-backward " \n\t")
993 (setq pos (point))
994 (eq (char-before) last-command-event)))))
995 (memq last-command-event smie-blink-matching-triggers)
996 (not (nth 8 (syntax-ppss))))
997 (save-excursion
998 (setq token (funcall smie-backward-token-function))
999 (when (and (eq (point) (1- pos))
1000 (= 1 (length token))
1001 (not (rassoc token smie-closer-alist)))
1002 ;; The trigger char is itself a token but is not one of the
1003 ;; closers (e.g. ?\; in Octave mode), so go back to the
1004 ;; previous token.
1005 (setq pos (point))
1006 (setq token (funcall smie-backward-token-function)))
1007 (when (rassoc token smie-closer-alist)
1008 ;; We're after a close token. Let's still make sure we
1009 ;; didn't skip a comment to find that token.
1010 (funcall smie-forward-token-function)
1011 (when (and (save-excursion
1012 ;; Skip the trigger char, if applicable.
1013 (if (eq (char-after) last-command-event)
1014 (forward-char 1))
1015 (if (eq ?\n last-command-event)
1016 ;; Skip any auto-indentation, if applicable.
1017 (skip-chars-forward " \t"))
1018 (>= (point) pos))
1019 ;; If token ends with a trigger char, don't blink for
1020 ;; anything else than this trigger char, lest we'd blink
1021 ;; both when inserting the trigger char and when
1022 ;; inserting a subsequent trigger char like SPC.
1023 (or (eq (char-before) last-command-event)
1024 (not (memq (char-before)
1025 smie-blink-matching-triggers)))
1026 ;; FIXME: For octave's "switch ... case ... case" we flash
1027 ;; `switch' at the end of the first `case' and we burp
1028 ;; "mismatch" at the end of the second `case'.
1029 (or smie-blink-matching-inners
1030 (not (numberp (nth 2 (assoc token smie-grammar))))))
1031 ;; The major mode might set blink-matching-check-function
1032 ;; buffer-locally so that interactive calls to
1033 ;; blink-matching-open work right, but let's not presume
1034 ;; that's the case.
1035 (let ((blink-matching-check-function #'smie-blink-matching-check))
1036 (blink-matching-open))))))))
1037
1038 (defvar-local smie--matching-block-data-cache nil)
1039
1040 (defun smie--opener/closer-at-point ()
1041 "Return (OPENER TOKEN START END) or nil.
1042 OPENER is non-nil if TOKEN is an opener and nil if it's a closer."
1043 (let* ((start (point))
1044 ;; Move to a previous position outside of a token.
1045 (_ (funcall smie-backward-token-function))
1046 ;; Move to the end of the token before point.
1047 (btok (funcall smie-forward-token-function))
1048 (bend (point)))
1049 (cond
1050 ;; Token before point is a closer?
1051 ((and (>= bend start) (rassoc btok smie-closer-alist))
1052 (funcall smie-backward-token-function)
1053 (when (< (point) start)
1054 (prog1 (list nil btok (point) bend)
1055 (goto-char bend))))
1056 ;; Token around point is an opener?
1057 ((and (> bend start) (assoc btok smie-closer-alist))
1058 (funcall smie-backward-token-function)
1059 (when (<= (point) start) (list t btok (point) bend)))
1060 ((<= bend start)
1061 (let ((atok (funcall smie-forward-token-function))
1062 (aend (point)))
1063 (cond
1064 ((< aend start) nil) ;Hopefully shouldn't happen.
1065 ;; Token after point is a closer?
1066 ((assoc atok smie-closer-alist)
1067 (funcall smie-backward-token-function)
1068 (when (<= (point) start)
1069 (list t atok (point) aend)))))))))
1070
1071 (defun smie--matching-block-data (orig &rest args)
1072 "A function suitable for `show-paren-data-function' (which see)."
1073 (if (or (null smie-closer-alist)
1074 (equal (cons (point) (buffer-chars-modified-tick))
1075 (car smie--matching-block-data-cache)))
1076 (or (cdr smie--matching-block-data-cache)
1077 (apply orig args))
1078 (setq smie--matching-block-data-cache
1079 (list (cons (point) (buffer-chars-modified-tick))))
1080 (unless (nth 8 (syntax-ppss))
1081 (condition-case nil
1082 (let ((here (smie--opener/closer-at-point)))
1083 (when (and here
1084 (or smie-blink-matching-inners
1085 (not (numberp
1086 (nth (if (nth 0 here) 1 2)
1087 (assoc (nth 1 here) smie-grammar))))))
1088 (let ((there
1089 (cond
1090 ((car here) ; Opener.
1091 (let ((data (smie-forward-sexp 'halfsexp))
1092 (tend (point)))
1093 (unless (car data)
1094 (funcall smie-backward-token-function)
1095 (list (member (cons (nth 1 here) (nth 2 data))
1096 smie-closer-alist)
1097 (point) tend))))
1098 (t ;Closer.
1099 (let ((data (smie-backward-sexp 'halfsexp))
1100 (htok (nth 1 here)))
1101 (if (car data)
1102 (let* ((hprec (nth 2 (assoc htok smie-grammar)))
1103 (ttok (nth 2 data))
1104 (tprec (nth 1 (assoc ttok smie-grammar))))
1105 (when (and (numberp hprec) ;Here is an inner.
1106 (eq hprec tprec))
1107 (goto-char (nth 1 data))
1108 (let ((tbeg (point)))
1109 (funcall smie-forward-token-function)
1110 (list t tbeg (point)))))
1111 (let ((tbeg (point)))
1112 (funcall smie-forward-token-function)
1113 (list (member (cons (nth 2 data) htok)
1114 smie-closer-alist)
1115 tbeg (point)))))))))
1116 ;; Update the cache.
1117 (setcdr smie--matching-block-data-cache
1118 (list (nth 2 here) (nth 3 here)
1119 (nth 1 there) (nth 2 there)
1120 (not (nth 0 there)))))))
1121 (scan-error nil))
1122 (goto-char (caar smie--matching-block-data-cache)))
1123 (apply #'smie--matching-block-data orig args)))
1124
1125 ;;; The indentation engine.
1126
1127 (defcustom smie-indent-basic 4
1128 "Basic amount of indentation."
1129 :type 'integer
1130 :group 'smie)
1131
1132 (defvar smie-rules-function #'ignore
1133 "Function providing the indentation rules.
1134 It takes two arguments METHOD and ARG where the meaning of ARG
1135 and the expected return value depends on METHOD.
1136 METHOD can be:
1137 - :after, in which case ARG is a token and the function should return the
1138 OFFSET to use for indentation after ARG.
1139 - :before, in which case ARG is a token and the function should return the
1140 OFFSET to use to indent ARG itself.
1141 - :elem, in which case the function should return either:
1142 - the offset to use to indent function arguments (ARG = `arg')
1143 - the basic indentation step (ARG = `basic').
1144 - the token to use (when ARG = `empty-line-token') when we don't know how
1145 to indent an empty line.
1146 - :list-intro, in which case ARG is a token and the function should return
1147 non-nil if TOKEN is followed by a list of expressions (not separated by any
1148 token) rather than an expression.
1149 - :close-all, in which case ARG is a close-paren token at indentation and
1150 the function should return non-nil if it should be aligned with the opener
1151 of the last close-paren token on the same line, if there are multiple.
1152 Otherwise, it will be aligned with its own opener.
1153
1154 When ARG is a token, the function is called with point just before that token.
1155 A return value of nil always means to fallback on the default behavior, so the
1156 function should return nil for arguments it does not expect.
1157
1158 OFFSET can be:
1159 nil use the default indentation rule.
1160 \(column . COLUMN) indent to column COLUMN.
1161 NUMBER offset by NUMBER, relative to a base token
1162 which is the current token for :after and
1163 its parent for :before.
1164
1165 The functions whose name starts with \"smie-rule-\" are helper functions
1166 designed specifically for use in this function.")
1167
1168 (defvar smie--hanging-eolp-function
1169 ;; FIXME: This is a quick hack for 24.4. Don't document it and replace with
1170 ;; a well-defined function with a cleaner interface instead!
1171 (lambda ()
1172 (skip-chars-forward " \t")
1173 (or (eolp)
1174 (and ;; (looking-at comment-start-skip) ;(bug#16041).
1175 (forward-comment (point-max))))))
1176
1177 (defalias 'smie-rule-hanging-p 'smie-indent--hanging-p)
1178 (defun smie-indent--hanging-p ()
1179 "Return non-nil if the current token is \"hanging\".
1180 A hanging keyword is one that's at the end of a line except it's not at
1181 the beginning of a line."
1182 (and (not (smie-indent--bolp))
1183 (save-excursion
1184 (<= (line-end-position)
1185 (progn
1186 (and (zerop (length (funcall smie-forward-token-function)))
1187 (not (eobp))
1188 ;; Could be an open-paren.
1189 (forward-char 1))
1190 (funcall smie--hanging-eolp-function)
1191 (point))))))
1192
1193 (defalias 'smie-rule-bolp 'smie-indent--bolp)
1194 (defun smie-indent--bolp ()
1195 "Return non-nil if the current token is the first on the line."
1196 (save-excursion (skip-chars-backward " \t") (bolp)))
1197
1198 (defun smie-indent--bolp-1 ()
1199 ;; Like smie-indent--bolp but also returns non-nil if it's the first
1200 ;; non-comment token. Maybe we should simply always use this?
1201 "Return non-nil if the current token is the first on the line.
1202 Comments are treated as spaces."
1203 (let ((bol (line-beginning-position)))
1204 (save-excursion
1205 (forward-comment (- (point)))
1206 (<= (point) bol))))
1207
1208 (defun smie-indent--current-column ()
1209 "Like `current-column', but if there's a comment before us, use that."
1210 ;; This is used, so that when we align elements, we don't get
1211 ;; toto = { /* foo, */ a,
1212 ;; b }
1213 ;; but
1214 ;; toto = { /* foo, */ a,
1215 ;; b }
1216 (let ((pos (point))
1217 (lbp (line-beginning-position)))
1218 (save-excursion
1219 (unless (and (forward-comment -1) (>= (point) lbp))
1220 (goto-char pos))
1221 (current-column))))
1222
1223 ;; Dynamically scoped.
1224 (defvar smie--parent) (defvar smie--after) (defvar smie--token)
1225
1226 (defun smie-indent--parent ()
1227 (or smie--parent
1228 (save-excursion
1229 (let* ((pos (point))
1230 (tok (funcall smie-forward-token-function)))
1231 (unless (numberp (cadr (assoc tok smie-grammar)))
1232 (goto-char pos))
1233 (setq smie--parent
1234 (or (smie-backward-sexp 'halfsexp)
1235 (let (res)
1236 (while (null (setq res (smie-backward-sexp))))
1237 (list nil (point) (nth 2 res)))))))))
1238
1239 (defun smie-rule-parent-p (&rest parents)
1240 "Return non-nil if the current token's parent is among PARENTS.
1241 Only meaningful when called from within `smie-rules-function'."
1242 (member (nth 2 (smie-indent--parent)) parents))
1243
1244 (defun smie-rule-next-p (&rest tokens)
1245 "Return non-nil if the next token is among TOKENS.
1246 Only meaningful when called from within `smie-rules-function'."
1247 (let ((next
1248 (save-excursion
1249 (unless smie--after
1250 (smie-indent-forward-token) (setq smie--after (point)))
1251 (goto-char smie--after)
1252 (smie-indent-forward-token))))
1253 (member (car next) tokens)))
1254
1255 (defun smie-rule-prev-p (&rest tokens)
1256 "Return non-nil if the previous token is among TOKENS."
1257 (let ((prev (save-excursion
1258 (smie-indent-backward-token))))
1259 (member (car prev) tokens)))
1260
1261 (defun smie-rule-sibling-p ()
1262 "Return non-nil if the parent is actually a sibling.
1263 Only meaningful when called from within `smie-rules-function'."
1264 (eq (car (smie-indent--parent))
1265 (cadr (assoc smie--token smie-grammar))))
1266
1267 (defun smie-rule-parent (&optional offset)
1268 "Align with parent.
1269 If non-nil, OFFSET should be an integer giving an additional offset to apply.
1270 Only meaningful when called from within `smie-rules-function'."
1271 (save-excursion
1272 (goto-char (cadr (smie-indent--parent)))
1273 (cons 'column
1274 (+ (or offset 0)
1275 (smie-indent-virtual)))))
1276
1277 (defvar smie-rule-separator-outdent 2)
1278
1279 (defun smie-indent--separator-outdent ()
1280 ;; FIXME: Here we actually have several reasonable behaviors.
1281 ;; E.g. for a parent token of "FOO" and a separator ";" we may want to:
1282 ;; 1- left-align ; with FOO.
1283 ;; 2- right-align ; with FOO.
1284 ;; 3- align content after ; with content after FOO.
1285 ;; 4- align content plus add/remove spaces so as to align ; with FOO.
1286 ;; Currently, we try to align the contents (option 3) which actually behaves
1287 ;; just like option 2 (if the number of spaces after FOO and ; is equal).
1288 (let ((afterpos (save-excursion
1289 (let ((tok (funcall smie-forward-token-function)))
1290 (unless tok
1291 (with-demoted-errors
1292 (error "smie-rule-separator: can't skip token %s"
1293 smie--token))))
1294 (skip-chars-forward " ")
1295 (unless (eolp) (point)))))
1296 (or (and afterpos
1297 ;; This should always be true, unless
1298 ;; smie-forward-token-function skipped a \n.
1299 (< afterpos (line-end-position))
1300 (- afterpos (point)))
1301 smie-rule-separator-outdent)))
1302
1303 (defun smie-rule-separator (method)
1304 "Indent current token as a \"separator\".
1305 By \"separator\", we mean here a token whose sole purpose is to separate
1306 various elements within some enclosing syntactic construct, and which does
1307 not have any semantic significance in itself (i.e. it would typically no exist
1308 as a node in an abstract syntax tree).
1309 Such a token is expected to have an associative syntax and be closely tied
1310 to its syntactic parent. Typical examples are \",\" in lists of arguments
1311 \(enclosed inside parentheses), or \";\" in sequences of instructions (enclosed
1312 in a {..} or begin..end block).
1313 METHOD should be the method name that was passed to `smie-rules-function'.
1314 Only meaningful when called from within `smie-rules-function'."
1315 ;; FIXME: The code below works OK for cases where the separators
1316 ;; are placed consistently always at beginning or always at the end,
1317 ;; but not if some are at the beginning and others are at the end.
1318 ;; I.e. it gets confused in cases such as:
1319 ;; ( a
1320 ;; , a,
1321 ;; b
1322 ;; , c,
1323 ;; d
1324 ;; )
1325 ;;
1326 ;; Assuming token is associative, the default rule for associative
1327 ;; tokens (which assumes an infix operator) works fine for many cases.
1328 ;; We mostly need to take care of the case where token is at beginning of
1329 ;; line, in which case we want to align it with its enclosing parent.
1330 (cond
1331 ((and (eq method :before) (smie-rule-bolp) (not (smie-rule-sibling-p)))
1332 (let ((parent-col (cdr (smie-rule-parent)))
1333 (parent-pos-col ;FIXME: we knew this when computing smie--parent.
1334 (save-excursion
1335 (goto-char (cadr smie--parent))
1336 (smie-indent-forward-token)
1337 (forward-comment (point-max))
1338 (current-column))))
1339 (cons 'column
1340 (max parent-col
1341 (min parent-pos-col
1342 (- parent-pos-col (smie-indent--separator-outdent)))))))
1343 ((and (eq method :after) (smie-indent--bolp))
1344 (smie-indent--separator-outdent))))
1345
1346 (defun smie-indent--offset (elem)
1347 (or (funcall smie-rules-function :elem elem)
1348 (if (not (eq elem 'basic))
1349 (funcall smie-rules-function :elem 'basic))
1350 smie-indent-basic))
1351
1352 (defun smie-indent--rule (method token
1353 ;; FIXME: Too many parameters.
1354 &optional after parent base-pos)
1355 "Compute indentation column according to `smie-rules-function'.
1356 METHOD and TOKEN are passed to `smie-rules-function'.
1357 AFTER is the position after TOKEN, if known.
1358 PARENT is the parent info returned by `smie-backward-sexp', if known.
1359 BASE-POS is the position relative to which offsets should be applied."
1360 ;; This is currently called in 3 cases:
1361 ;; - :before opener, where rest=nil but base-pos could as well be parent.
1362 ;; - :before other, where
1363 ;; ; after=nil
1364 ;; ; parent is set
1365 ;; ; base-pos=parent
1366 ;; - :after tok, where
1367 ;; ; after is set; parent=nil; base-pos=point;
1368 (save-excursion
1369 (let ((offset (smie-indent--rule-1 method token after parent)))
1370 (cond
1371 ((not offset) nil)
1372 ((eq (car-safe offset) 'column) (cdr offset))
1373 ((integerp offset)
1374 (+ offset
1375 (if (null base-pos) 0
1376 (goto-char base-pos)
1377 ;; Use smie-indent-virtual when indenting relative to an opener:
1378 ;; this will also by default use current-column unless
1379 ;; that opener is hanging, but will additionally consult
1380 ;; rules-function, so it gives it a chance to tweak indentation
1381 ;; (e.g. by forcing indentation relative to its own parent, as in
1382 ;; fn a => fn b => fn c =>).
1383 ;; When parent==nil it doesn't matter because the only case
1384 ;; where it's really used is when the base-pos is hanging anyway.
1385 (if (or (and parent (null (car parent)))
1386 (smie-indent--hanging-p))
1387 (smie-indent-virtual) (current-column)))))
1388 (t (error "Unknown indentation offset %s" offset))))))
1389
1390 (defun smie-indent--rule-1 (method token &optional after parent)
1391 (let ((smie--parent parent)
1392 (smie--token token)
1393 (smie--after after))
1394 (funcall smie-rules-function method token)))
1395
1396 (defun smie-indent-forward-token ()
1397 "Skip token forward and return it, along with its levels."
1398 (let ((tok (funcall smie-forward-token-function)))
1399 (cond
1400 ((< 0 (length tok)) (assoc tok smie-grammar))
1401 ((looking-at "\\s(\\|\\s)\\(\\)")
1402 (forward-char 1)
1403 (cons (buffer-substring-no-properties (1- (point)) (point))
1404 (if (match-end 1) '(0 nil) '(nil 0))))
1405 ((looking-at "\\s\"\\|\\s|")
1406 (forward-sexp 1)
1407 nil)
1408 ((eobp) nil)
1409 (t (error "Bumped into unknown token")))))
1410
1411 (defun smie-indent-backward-token ()
1412 "Skip token backward and return it, along with its levels."
1413 (let ((tok (funcall smie-backward-token-function))
1414 class)
1415 (cond
1416 ((< 0 (length tok)) (assoc tok smie-grammar))
1417 ;; 4 == open paren syntax, 5 == close.
1418 ((memq (setq class (syntax-class (syntax-after (1- (point))))) '(4 5))
1419 (forward-char -1)
1420 (cons (buffer-substring-no-properties (point) (1+ (point)))
1421 (if (eq class 4) '(nil 0) '(0 nil))))
1422 ((memq class '(7 15))
1423 (backward-sexp 1)
1424 nil)
1425 ((bobp) nil)
1426 (t (error "Bumped into unknown token")))))
1427
1428 (defun smie-indent-virtual ()
1429 ;; We used to take an optional arg (with value :not-hanging) to specify that
1430 ;; we should only use (smie-indent-calculate) if we're looking at a hanging
1431 ;; keyword. This was a bad idea, because the virtual indent of a position
1432 ;; should not depend on the caller, since it leads to situations where two
1433 ;; dependent indentations get indented differently.
1434 "Compute the virtual indentation to use for point.
1435 This is used when we're not trying to indent point but just
1436 need to compute the column at which point should be indented
1437 in order to figure out the indentation of some other (further down) point."
1438 ;; Trust pre-existing indentation on other lines.
1439 (if (smie-indent--bolp) (current-column) (smie-indent-calculate)))
1440
1441 (defun smie-indent-fixindent ()
1442 ;; Obey the `fixindent' special comment.
1443 (and (smie-indent--bolp)
1444 (save-excursion
1445 (comment-normalize-vars)
1446 (re-search-forward (concat comment-start-skip
1447 "fixindent"
1448 comment-end-skip)
1449 ;; 1+ to account for the \n comment termination.
1450 (1+ (line-end-position)) t))
1451 (current-column)))
1452
1453 (defun smie-indent-bob ()
1454 ;; Start the file at column 0.
1455 (save-excursion
1456 (forward-comment (- (point)))
1457 (if (bobp) 0)))
1458
1459 (defun smie-indent-close ()
1460 ;; Align close paren with opening paren.
1461 (save-excursion
1462 ;; (forward-comment (point-max))
1463 (when (looking-at "\\s)")
1464 (if (smie-indent--rule-1 :close-all
1465 (buffer-substring-no-properties
1466 (point) (1+ (point)))
1467 (1+ (point)))
1468 (while (not (zerop (skip-syntax-forward ")")))
1469 (skip-chars-forward " \t"))
1470 (forward-char 1))
1471 (condition-case nil
1472 (progn
1473 (backward-sexp 1)
1474 (smie-indent-virtual)) ;:not-hanging
1475 (scan-error nil)))))
1476
1477 (defun smie-indent-keyword (&optional token)
1478 "Indent point based on the token that follows it immediately.
1479 If TOKEN is non-nil, assume that that is the token that follows point.
1480 Returns either a column number or nil if it considers that indentation
1481 should not be computed on the basis of the following token."
1482 (save-excursion
1483 (let* ((pos (point))
1484 (toklevels
1485 (if token
1486 (assoc token smie-grammar)
1487 (let* ((res (smie-indent-forward-token)))
1488 ;; Ignore tokens on subsequent lines.
1489 (if (and (< pos (line-beginning-position))
1490 ;; Make sure `token' also *starts* on another line.
1491 (save-excursion
1492 (let ((endpos (point)))
1493 (goto-char pos)
1494 (forward-line 1)
1495 (and (equal res (smie-indent-forward-token))
1496 (eq (point) endpos)))))
1497 nil
1498 (goto-char pos)
1499 res)))))
1500 (setq token (pop toklevels))
1501 (cond
1502 ((null (cdr toklevels)) nil) ;Not a keyword.
1503 ((not (numberp (car toklevels)))
1504 ;; Different cases:
1505 ;; - smie-indent--bolp: "indent according to others".
1506 ;; - common hanging: "indent according to others".
1507 ;; - SML-let hanging: "indent like parent".
1508 ;; - if-after-else: "indent-like parent".
1509 ;; - middle-of-line: "trust current position".
1510 (cond
1511 ((smie-indent--rule :before token))
1512 ((smie-indent--bolp-1) ;I.e. non-virtual indent.
1513 ;; For an open-paren-like thingy at BOL, always indent only
1514 ;; based on other rules (typically smie-indent-after-keyword).
1515 ;; FIXME: we do the same if after a comment, since we may be trying
1516 ;; to compute the indentation of this comment and we shouldn't indent
1517 ;; based on the indentation of subsequent code.
1518 nil)
1519 (t
1520 ;; By default use point unless we're hanging.
1521 (unless (smie-indent--hanging-p) (current-column)))))
1522 (t
1523 ;; FIXME: This still looks too much like black magic!!
1524 (let* ((parent (smie-backward-sexp token)))
1525 ;; Different behaviors:
1526 ;; - align with parent.
1527 ;; - parent + offset.
1528 ;; - after parent's column + offset (actually, after or before
1529 ;; depending on where backward-sexp stopped).
1530 ;; ? let it drop to some other indentation function (almost never).
1531 ;; ? parent + offset + parent's own offset.
1532 ;; Different cases:
1533 ;; - bump into a same-level operator.
1534 ;; - bump into a specific known parent.
1535 ;; - find a matching open-paren thingy.
1536 ;; - bump into some random parent.
1537 ;; ? borderline case (almost never).
1538 ;; ? bump immediately into a parent.
1539 (cond
1540 ((not (or (< (point) pos)
1541 (and (cadr parent) (< (cadr parent) pos))))
1542 ;; If we didn't move at all, that means we didn't really skip
1543 ;; what we wanted. Should almost never happen, other than
1544 ;; maybe when an infix or close-paren is at the beginning
1545 ;; of a buffer.
1546 nil)
1547 ((save-excursion
1548 (goto-char pos)
1549 (smie-indent--rule :before token nil parent (cadr parent))))
1550 ((eq (car parent) (car toklevels))
1551 ;; We bumped into a same-level operator; align with it.
1552 (if (and (smie-indent--bolp) (/= (point) pos)
1553 (save-excursion
1554 (goto-char (goto-char (cadr parent)))
1555 (not (smie-indent--bolp))))
1556 ;; If the parent is at EOL and its children are indented like
1557 ;; itself, then we can just obey the indentation chosen for the
1558 ;; child.
1559 ;; This is important for operators like ";" which
1560 ;; are usually at EOL (and have an offset of 0): otherwise we'd
1561 ;; always go back over all the statements, which is
1562 ;; a performance problem and would also mean that fixindents
1563 ;; in the middle of such a sequence would be ignored.
1564 ;;
1565 ;; This is a delicate point!
1566 ;; Even if the offset is not 0, we could follow the same logic
1567 ;; and subtract the offset from the child's indentation.
1568 ;; But that would more often be a bad idea: OT1H we generally
1569 ;; want to reuse the closest similar indentation point, so that
1570 ;; the user's choice (or the fixindents) are obeyed. But OTOH
1571 ;; we don't want this to affect "unrelated" parts of the code.
1572 ;; E.g. a fixindent in the body of a "begin..end" should not
1573 ;; affect the indentation of the "end".
1574 (current-column)
1575 (goto-char (cadr parent))
1576 ;; Don't use (smie-indent-virtual :not-hanging) here, because we
1577 ;; want to jump back over a sequence of same-level ops such as
1578 ;; a -> b -> c
1579 ;; -> d
1580 ;; So as to align with the earliest appropriate place.
1581 (smie-indent-virtual)))
1582 (t
1583 (if (and (= (point) pos) (smie-indent--bolp))
1584 ;; Since we started at BOL, we're not computing a virtual
1585 ;; indentation, and we're still at the starting point, so
1586 ;; we can't use `current-column' which would cause
1587 ;; indentation to depend on itself and we can't use
1588 ;; smie-indent-virtual since that would be an inf-loop.
1589 nil
1590 ;; In indent-keyword, if we're indenting `then' wrt `if', we
1591 ;; want to use indent-virtual rather than use just
1592 ;; current-column, so that we can apply the (:before . "if")
1593 ;; rule which does the "else if" dance in SML. But in other
1594 ;; cases, we do not want to use indent-virtual (e.g. indentation
1595 ;; of "*" w.r.t "+", or ";" wrt "("). We could just always use
1596 ;; indent-virtual and then have indent-rules say explicitly to
1597 ;; use `point' after things like "(" or "+" when they're not at
1598 ;; EOL, but you'd end up with lots of those rules.
1599 ;; So we use a heuristic here, which is that we only use virtual
1600 ;; if the parent is tightly linked to the child token (they're
1601 ;; part of the same BNF rule).
1602 (if (car parent)
1603 (smie-indent--current-column)
1604 (smie-indent-virtual)))))))))))
1605
1606 (defun smie-indent-comment ()
1607 "Compute indentation of a comment."
1608 ;; Don't do it for virtual indentations. We should normally never be "in
1609 ;; front of a comment" when doing virtual-indentation anyway. And if we are
1610 ;; (as can happen in octave-mode), moving forward can lead to inf-loops.
1611 (and (smie-indent--bolp)
1612 (let ((pos (point)))
1613 (save-excursion
1614 (beginning-of-line)
1615 (and (re-search-forward comment-start-skip (line-end-position) t)
1616 (eq pos (or (match-end 1) (match-beginning 0))))))
1617 (save-excursion
1618 (forward-comment (point-max))
1619 (skip-chars-forward " \t\r\n")
1620 (unless
1621 ;; Don't align with a closer, since the comment is "within" the
1622 ;; closed element. Don't align with EOB either.
1623 (save-excursion
1624 (let ((next (funcall smie-forward-token-function)))
1625 (or (if (zerop (length next))
1626 (or (eobp) (eq (car (syntax-after (point))) 5)))
1627 (rassoc next smie-closer-alist))))
1628 ;; FIXME: We assume here that smie-indent-calculate will compute the
1629 ;; indentation of the next token based on text before the comment,
1630 ;; but this is not guaranteed, so maybe we should let
1631 ;; smie-indent-calculate return some info about which buffer
1632 ;; position was used as the "indentation base" and check that this
1633 ;; base is before `pos'.
1634 (smie-indent-calculate)))))
1635
1636 (defun smie-indent-comment-continue ()
1637 ;; indentation of comment-continue lines.
1638 (let ((continue (and comment-continue
1639 (comment-string-strip comment-continue t t))))
1640 (and (< 0 (length continue))
1641 (looking-at (regexp-quote continue)) (nth 4 (syntax-ppss))
1642 (let ((ppss (syntax-ppss)))
1643 (save-excursion
1644 (forward-line -1)
1645 (if (<= (point) (nth 8 ppss))
1646 (progn (goto-char (1+ (nth 8 ppss))) (current-column))
1647 (skip-chars-forward " \t")
1648 (if (looking-at (regexp-quote continue))
1649 (current-column))))))))
1650
1651 (defun smie-indent-comment-close ()
1652 (and (boundp 'comment-end-skip)
1653 comment-end-skip
1654 (not (looking-at " \t*$")) ;Not just a \n comment-closer.
1655 (looking-at comment-end-skip)
1656 (let ((end (match-string 0)))
1657 (and (nth 4 (syntax-ppss))
1658 (save-excursion
1659 (goto-char (nth 8 (syntax-ppss)))
1660 (and (looking-at comment-start-skip)
1661 (let ((start (match-string 0)))
1662 ;; Align the common substring between starter
1663 ;; and ender, if possible.
1664 (if (string-match "\\(.+\\).*\n\\(.*?\\)\\1"
1665 (concat start "\n" end))
1666 (+ (current-column) (match-beginning 0)
1667 (- (match-beginning 2) (match-end 2)))
1668 (current-column)))))))))
1669
1670 (defun smie-indent-comment-inside ()
1671 (and (nth 4 (syntax-ppss))
1672 'noindent))
1673
1674 (defun smie-indent-inside-string ()
1675 (and (nth 3 (syntax-ppss))
1676 'noindent))
1677
1678 (defun smie-indent-after-keyword ()
1679 ;; Indentation right after a special keyword.
1680 (save-excursion
1681 (let* ((pos (point))
1682 (toklevel (smie-indent-backward-token))
1683 (tok (car toklevel)))
1684 (cond
1685 ((null toklevel) nil)
1686 ((smie-indent--rule :after tok pos nil (point)))
1687 ;; The default indentation after a keyword/operator is
1688 ;; 0 for infix, t for prefix, and use another rule
1689 ;; for postfix.
1690 ((not (numberp (nth 2 toklevel))) nil) ;A closer.
1691 ((or (not (numberp (nth 1 toklevel))) ;An opener.
1692 (rassoc tok smie-closer-alist)) ;An inner.
1693 (+ (smie-indent-virtual) (smie-indent--offset 'basic))) ;
1694 (t (smie-indent-virtual)))))) ;An infix.
1695
1696 (defun smie-indent-empty-line ()
1697 "Indentation rule when there's nothing yet on the line."
1698 ;; Without this rule, SMIE assumes that an empty line will be filled with an
1699 ;; argument (since it falls back to smie-indent-sexps), which tends
1700 ;; to indent far too deeply.
1701 (when (eolp)
1702 (let ((token (or (funcall smie-rules-function :elem 'empty-line-token)
1703 ;; FIXME: Should we default to ";"?
1704 ;; ";"
1705 )))
1706 (when (assoc token smie-grammar)
1707 (smie-indent-keyword token)))))
1708
1709 (defun smie-indent-exps ()
1710 ;; Indentation of sequences of simple expressions without
1711 ;; intervening keywords or operators. E.g. "a b c" or "g (balbla) f".
1712 ;; Can be a list of expressions or a function call.
1713 ;; If it's a function call, the first element is special (it's the
1714 ;; function). We distinguish function calls from mere lists of
1715 ;; expressions based on whether the preceding token is listed in
1716 ;; the `list-intro' entry of smie-indent-rules.
1717 ;;
1718 ;; TODO: to indent Lisp code, we should add a way to specify
1719 ;; particular indentation for particular args depending on the
1720 ;; function (which would require always skipping back until the
1721 ;; function).
1722 ;; TODO: to indent C code, such as "if (...) {...}" we might need
1723 ;; to add similar indentation hooks for particular positions, but
1724 ;; based on the preceding token rather than based on the first exp.
1725 (save-excursion
1726 (let ((positions nil)
1727 arg)
1728 (while (and (null (car (smie-backward-sexp)))
1729 (push (point) positions)
1730 (not (smie-indent--bolp))))
1731 (save-excursion
1732 ;; Figure out if the atom we just skipped is an argument rather
1733 ;; than a function.
1734 (setq arg
1735 (or (null (car (smie-backward-sexp)))
1736 (funcall smie-rules-function :list-intro
1737 (funcall smie-backward-token-function)))))
1738 (cond
1739 ((null positions)
1740 ;; We're the first expression of the list. In that case, the
1741 ;; indentation should be (have been) determined by its context.
1742 nil)
1743 (arg
1744 ;; There's a previous element, and it's not special (it's not
1745 ;; the function), so let's just align with that one.
1746 (goto-char (car positions))
1747 (smie-indent--current-column))
1748 ((cdr positions)
1749 ;; We skipped some args plus the function and bumped into something.
1750 ;; Align with the first arg.
1751 (goto-char (cadr positions))
1752 (smie-indent--current-column))
1753 (positions
1754 ;; We're the first arg.
1755 (goto-char (car positions))
1756 (+ (smie-indent--offset 'args)
1757 ;; We used to use (smie-indent-virtual), but that
1758 ;; doesn't seem right since it might then indent args less than
1759 ;; the function itself.
1760 (smie-indent--current-column)))))))
1761
1762 (defvar smie-indent-functions
1763 '(smie-indent-fixindent smie-indent-bob smie-indent-close
1764 smie-indent-comment smie-indent-comment-continue smie-indent-comment-close
1765 smie-indent-comment-inside smie-indent-inside-string
1766 smie-indent-keyword smie-indent-after-keyword
1767 smie-indent-empty-line smie-indent-exps)
1768 "Functions to compute the indentation.
1769 Each function is called with no argument, shouldn't move point, and should
1770 return either nil if it has no opinion, or an integer representing the column
1771 to which that point should be aligned, if we were to reindent it.")
1772
1773 (defun smie-indent-calculate ()
1774 "Compute the indentation to use for point."
1775 (run-hook-with-args-until-success 'smie-indent-functions))
1776
1777 (defun smie-indent-line ()
1778 "Indent current line using the SMIE indentation engine."
1779 (interactive)
1780 (let* ((savep (point))
1781 (indent (or (with-demoted-errors
1782 (save-excursion
1783 (forward-line 0)
1784 (skip-chars-forward " \t")
1785 (if (>= (point) savep) (setq savep nil))
1786 (or (smie-indent-calculate) 0)))
1787 0)))
1788 (if (not (numberp indent))
1789 ;; If something funny is used (e.g. `noindent'), return it.
1790 indent
1791 (if (< indent 0) (setq indent 0)) ;Just in case.
1792 (if savep
1793 (save-excursion (indent-line-to indent))
1794 (indent-line-to indent)))))
1795
1796 (defun smie-auto-fill (do-auto-fill)
1797 (let ((fc (current-fill-column)))
1798 (when (and fc (> (current-column) fc))
1799 ;; The loop below presumes BOL is outside of strings or comments. Also,
1800 ;; sometimes we prefer to fill the comment than the code around it.
1801 (unless (or (nth 8 (save-excursion
1802 (syntax-ppss (line-beginning-position))))
1803 (nth 4 (save-excursion
1804 (move-to-column fc)
1805 (syntax-ppss))))
1806 (while
1807 (and (with-demoted-errors
1808 (save-excursion
1809 (let ((end (point))
1810 (bsf nil) ;Best-so-far.
1811 (gain 0))
1812 (beginning-of-line)
1813 (while (progn
1814 (smie-indent-forward-token)
1815 (and (<= (point) end)
1816 (<= (current-column) fc)))
1817 ;; FIXME? `smie-indent-calculate' can (and often
1818 ;; does) return a result that actually depends on the
1819 ;; presence/absence of a newline, so the gain computed
1820 ;; here may not be accurate, but in practice it seems
1821 ;; to work well enough.
1822 (skip-chars-forward " \t")
1823 (let* ((newcol (smie-indent-calculate))
1824 (newgain (- (current-column) newcol)))
1825 (when (> newgain gain)
1826 (setq gain newgain)
1827 (setq bsf (point)))))
1828 (when (> gain 0)
1829 (goto-char bsf)
1830 (newline-and-indent)
1831 'done))))
1832 (> (current-column) fc))))
1833 (when (> (current-column) fc)
1834 (funcall do-auto-fill)))))
1835
1836
1837 (defun smie-setup (grammar rules-function &rest keywords)
1838 "Setup SMIE navigation and indentation.
1839 GRAMMAR is a grammar table generated by `smie-prec2->grammar'.
1840 RULES-FUNCTION is a set of indentation rules for use on `smie-rules-function'.
1841 KEYWORDS are additional arguments, which can use the following keywords:
1842 - :forward-token FUN
1843 - :backward-token FUN"
1844 (setq-local smie-rules-function rules-function)
1845 (setq-local smie-grammar grammar)
1846 (setq-local indent-line-function #'smie-indent-line)
1847 (add-function :around (local 'normal-auto-fill-function) #'smie-auto-fill)
1848 (setq-local forward-sexp-function #'smie-forward-sexp-command)
1849 (while keywords
1850 (let ((k (pop keywords))
1851 (v (pop keywords)))
1852 (pcase k
1853 (`:forward-token
1854 (set (make-local-variable 'smie-forward-token-function) v))
1855 (`:backward-token
1856 (set (make-local-variable 'smie-backward-token-function) v))
1857 (_ (message "smie-setup: ignoring unknown keyword %s" k)))))
1858 (let ((ca (cdr (assq :smie-closer-alist grammar))))
1859 (when ca
1860 (setq-local smie-closer-alist ca)
1861 ;; Only needed for interactive calls to blink-matching-open.
1862 (setq-local blink-matching-check-function #'smie-blink-matching-check)
1863 (add-hook 'post-self-insert-hook
1864 #'smie-blink-matching-open 'append 'local)
1865 (add-function :around (local 'show-paren-data-function)
1866 #'smie--matching-block-data)
1867 ;; Setup smie-blink-matching-triggers. Rather than wait for SPC to
1868 ;; blink, try to blink as soon as we type the last char of a block ender.
1869 (let ((closers (sort (mapcar #'cdr smie-closer-alist) #'string-lessp))
1870 (triggers ())
1871 closer)
1872 (while (setq closer (pop closers))
1873 (unless
1874 ;; FIXME: this eliminates prefixes of other closers, but we
1875 ;; should probably eliminate prefixes of other keywords as well.
1876 (and closers (string-prefix-p closer (car closers)))
1877 (push (aref closer (1- (length closer))) triggers)))
1878 (setq-local smie-blink-matching-triggers
1879 (append smie-blink-matching-triggers
1880 (delete-dups triggers)))))))
1881
1882 (declare-function edebug-instrument-function "edebug" (func))
1883
1884 (defun smie-edebug ()
1885 "Instrument the `smie-rules-function' for Edebug."
1886 (interactive)
1887 (require 'edebug)
1888 (if (symbolp smie-rules-function)
1889 (edebug-instrument-function smie-rules-function)
1890 (error "Sorry, don't know how to instrument a lambda expression")))
1891
1892 (defun smie--next-indent-change ()
1893 "Go to the next line that needs to be reindented (and reindent it)."
1894 (interactive)
1895 (while
1896 (let ((tick (buffer-chars-modified-tick)))
1897 (indent-according-to-mode)
1898 (eq tick (buffer-chars-modified-tick)))
1899 (forward-line 1)))
1900
1901 ;;; User configuration
1902
1903 ;; This is designed to be a completely independent "module", so we can play
1904 ;; with various kinds of smie-config modules without having to change the core.
1905
1906 ;; This smie-config module is fairly primitive and suffers from serious
1907 ;; restrictions:
1908 ;; - You can only change a returned offset, so you can't change the offset
1909 ;; passed to smie-rule-parent, nor can you change the object with which
1910 ;; to align (in general).
1911 ;; - The rewrite rule can only distinguish cases based on the kind+token arg
1912 ;; and smie-rules-function's return value, so you can't distinguish cases
1913 ;; where smie-rules-function returns the same value.
1914 ;; - Since config-rules depend on the return value of smie-rules-function, any
1915 ;; config change that modifies this return value (e.g. changing
1916 ;; foo-indent-basic) ends up invalidating config-rules.
1917 ;; This last one is a serious problem since it means that file-local
1918 ;; config-rules will only work if the user hasn't changed foo-indent-basic.
1919 ;; One possible way to change it is to modify smie-rules-functions so they can
1920 ;; return special symbols like +, ++, -, etc. Or make them use a new
1921 ;; smie-rule-basic function which can then be used to know when a returned
1922 ;; offset was computed based on foo-indent-basic.
1923
1924 (defvar-local smie-config--mode-local nil
1925 "Indentation config rules installed for this major mode.
1926 Typically manipulated from the major-mode's hook.")
1927 (defvar-local smie-config--buffer-local nil
1928 "Indentation config rules installed for this very buffer.
1929 E.g. provided via a file-local call to `smie-config-local'.")
1930 (defvar smie-config--trace nil
1931 "Variable used to trace calls to `smie-rules-function'.")
1932
1933 (defun smie-config--advice (orig kind token)
1934 (let* ((ret (funcall orig kind token))
1935 (sig (list kind token ret))
1936 (brule (rassoc sig smie-config--buffer-local))
1937 (mrule (rassoc sig smie-config--mode-local)))
1938 (when smie-config--trace
1939 (setq smie-config--trace (or brule mrule)))
1940 (cond
1941 (brule (car brule))
1942 (mrule (car mrule))
1943 (t ret))))
1944
1945 (defun smie-config--mode-hook (rules)
1946 (setq smie-config--mode-local
1947 (append rules smie-config--mode-local))
1948 (add-function :around (local 'smie-rules-function) #'smie-config--advice))
1949
1950 (defvar smie-config--modefuns nil)
1951
1952 (defun smie-config--setter (var value)
1953 (setq-default var value)
1954 (let ((old-modefuns smie-config--modefuns))
1955 (setq smie-config--modefuns nil)
1956 (pcase-dolist (`(,mode . ,rules) value)
1957 (let ((modefunname (intern (format "smie-config--modefun-%s" mode))))
1958 (fset modefunname (lambda () (smie-config--mode-hook rules)))
1959 (push modefunname smie-config--modefuns)
1960 (add-hook (intern (format "%s-hook" mode)) modefunname)))
1961 ;; Neuter any left-over previously installed hook.
1962 (dolist (modefun old-modefuns)
1963 (unless (memq modefun smie-config--modefuns)
1964 (fset modefun #'ignore)))))
1965
1966 (defcustom smie-config nil
1967 ;; FIXME: there should be a file-local equivalent.
1968 "User configuration of SMIE indentation.
1969 This is a list of elements (MODE . RULES), where RULES is a list
1970 of elements describing when and how to change the indentation rules.
1971 Each RULE element should be of the form (NEW KIND TOKEN NORMAL),
1972 where KIND and TOKEN are the elements passed to `smie-rules-function',
1973 NORMAL is the value returned by `smie-rules-function' and NEW is the
1974 value with which to replace it."
1975 :version "24.4"
1976 ;; FIXME improve value-type.
1977 :type '(choice (const nil)
1978 (alist :key-type symbol))
1979 :initialize 'custom-initialize-default
1980 :set #'smie-config--setter)
1981
1982 (defun smie-config-local (rules)
1983 "Add RULES as local indentation rules to use in this buffer.
1984 These replace any previous local rules, but supplement the rules
1985 specified in `smie-config'."
1986 (setq smie-config--buffer-local rules)
1987 (add-function :around (local 'smie-rules-function) #'smie-config--advice))
1988
1989 ;; Make it so we can set those in the file-local block.
1990 ;; FIXME: Better would be to be able to write "smie-config-local: (...)" rather
1991 ;; than "eval: (smie-config-local '(...))".
1992 (put 'smie-config-local 'safe-local-eval-function t)
1993
1994 (defun smie-config--get-trace ()
1995 (save-excursion
1996 (forward-line 0)
1997 (skip-chars-forward " \t")
1998 (let* ((trace ())
1999 (srf-fun (lambda (orig kind token)
2000 (let* ((pos (point))
2001 (smie-config--trace t)
2002 (res (funcall orig kind token)))
2003 (push (if (consp smie-config--trace)
2004 (list pos kind token res smie-config--trace)
2005 (list pos kind token res))
2006 trace)
2007 res))))
2008 (unwind-protect
2009 (progn
2010 (add-function :around (local 'smie-rules-function) srf-fun)
2011 (cons (smie-indent-calculate)
2012 trace))
2013 (remove-function (local 'smie-rules-function) srf-fun)))))
2014
2015 (defun smie-config-show-indent (&optional arg)
2016 "Display the SMIE rules that are used to indent the current line.
2017 If prefix ARG is given, then move briefly point to the buffer
2018 position corresponding to each rule."
2019 (interactive "P")
2020 (let ((trace (cdr (smie-config--get-trace))))
2021 (cond
2022 ((null trace) (message "No SMIE rules involved"))
2023 ((not arg)
2024 (message "Rules used: %s"
2025 (mapconcat (lambda (elem)
2026 (pcase-let ((`(,_pos ,kind ,token ,res ,rewrite)
2027 elem))
2028 (format "%S %S -> %S%s" kind token res
2029 (if (null rewrite) ""
2030 (format "(via %S)" (nth 3 rewrite))))))
2031 trace
2032 ", ")))
2033 (t
2034 (save-excursion
2035 (pcase-dolist (`(,pos ,kind ,token ,res ,rewrite) trace)
2036 (message "%S %S -> %S%s" kind token res
2037 (if (null rewrite) ""
2038 (format "(via %S)" (nth 3 rewrite))))
2039 (goto-char pos)
2040 (sit-for blink-matching-delay)))))))
2041
2042 (defun smie-config--guess-value (sig)
2043 (add-function :around (local 'smie-rules-function) #'smie-config--advice)
2044 (let* ((rule (cons 0 sig))
2045 (smie-config--buffer-local (cons rule smie-config--buffer-local))
2046 (goal (current-indentation))
2047 (cur (smie-indent-calculate)))
2048 (cond
2049 ((and (eq goal
2050 (progn (setf (car rule) (- goal cur))
2051 (smie-indent-calculate))))
2052 (- goal cur)))))
2053
2054 (defun smie-config-set-indent ()
2055 "Add a rule to adjust the indentation of current line."
2056 (interactive)
2057 (let* ((trace (cdr (smie-config--get-trace)))
2058 (_ (unless trace (error "No SMIE rules involved")))
2059 (sig (if (null (cdr trace))
2060 (pcase-let* ((elem (car trace))
2061 (`(,_pos ,kind ,token ,res ,rewrite) elem))
2062 (list kind token (or (nth 3 rewrite) res)))
2063 (let* ((choicestr
2064 (completing-read
2065 "Adjust rule: "
2066 (mapcar (lambda (elem)
2067 (format "%s %S"
2068 (substring (symbol-name (cadr elem))
2069 1)
2070 (nth 2 elem)))
2071 trace)
2072 nil t nil nil
2073 nil)) ;FIXME: Provide good default!
2074 (choicelst (car (read-from-string
2075 (concat "(:" choicestr ")")))))
2076 (catch 'found
2077 (pcase-dolist (`(,_pos ,kind ,token ,res ,rewrite) trace)
2078 (when (and (eq kind (car choicelst))
2079 (equal token (nth 1 choicelst)))
2080 (throw 'found (list kind token
2081 (or (nth 3 rewrite) res)))))))))
2082 (default-new (smie-config--guess-value sig))
2083 (newstr (read-string (format "Adjust rule (%S %S -> %S) to%s: "
2084 (nth 0 sig) (nth 1 sig) (nth 2 sig)
2085 (if (not default-new) ""
2086 (format " (default %S)" default-new)))
2087 nil nil (format "%S" default-new)))
2088 (new (car (read-from-string newstr))))
2089 (let ((old (rassoc sig smie-config--buffer-local)))
2090 (when old
2091 (setq smie-config--buffer-local
2092 (remove old smie-config--buffer-local))))
2093 (push (cons new sig) smie-config--buffer-local)
2094 (message "Added rule %S %S -> %S (via %S)"
2095 (nth 0 sig) (nth 1 sig) new (nth 2 sig))
2096 (add-function :around (local 'smie-rules-function) #'smie-config--advice)))
2097
2098 (defun smie-config--guess (beg end)
2099 (let ((otraces (make-hash-table :test #'equal))
2100 (smie-config--buffer-local nil)
2101 (smie-config--mode-local nil)
2102 (pr (make-progress-reporter "Analyzing the buffer" beg end)))
2103
2104 ;; First, lets get the indentation traces and offsets for the region.
2105 (save-excursion
2106 (goto-char beg)
2107 (forward-line 0)
2108 (while (< (point) end)
2109 (skip-chars-forward " \t")
2110 (unless (eolp) ;Skip empty lines.
2111 (progress-reporter-update pr (point))
2112 (let* ((itrace (smie-config--get-trace))
2113 (nindent (car itrace))
2114 (trace (mapcar #'cdr (cdr itrace)))
2115 (cur (current-indentation)))
2116 (when (numberp nindent) ;Skip `noindent' and friends.
2117 (cl-incf (gethash (cons (- cur nindent) trace) otraces 0)))))
2118 (forward-line 1)))
2119 (progress-reporter-done pr)
2120
2121 ;; Second, compile the data. Our algorithm only knows how to adjust rules
2122 ;; where the smie-rules-function returns an integer. We call those
2123 ;; "adjustable sigs". We build a table mapping each adjustable sig
2124 ;; to its data, describing the total number of times we encountered it,
2125 ;; the offsets found, and the traces in which it was found.
2126 (message "Guessing...")
2127 (let ((sigs (make-hash-table :test #'equal)))
2128 (maphash (lambda (otrace count)
2129 (let ((offset (car otrace))
2130 (trace (cdr otrace))
2131 (double nil))
2132 (let ((sigs trace))
2133 (while sigs
2134 (let ((sig (pop sigs)))
2135 (if (and (integerp (nth 2 sig)) (member sig sigs))
2136 (setq double t)))))
2137 (if double
2138 ;; Disregard those traces where an adjustable sig
2139 ;; appears twice, because the rest of the code assumes
2140 ;; that adding a rule to add an offset N will change the
2141 ;; end result by N rather than 2*N or more.
2142 nil
2143 (dolist (sig trace)
2144 (if (not (integerp (nth 2 sig)))
2145 ;; Disregard those sigs that return nil or a column,
2146 ;; because our algorithm doesn't know how to adjust
2147 ;; them anyway.
2148 nil
2149 (let ((sig-data (or (gethash sig sigs)
2150 (let ((data (list 0 nil nil)))
2151 (puthash sig data sigs)
2152 data))))
2153 (cl-incf (nth 0 sig-data) count)
2154 (push (cons count otrace) (nth 2 sig-data))
2155 (let ((sig-off-data
2156 (or (assq offset (nth 1 sig-data))
2157 (let ((off-data (cons offset 0)))
2158 (push off-data (nth 1 sig-data))
2159 off-data))))
2160 (cl-incf (cdr sig-off-data) count))))))))
2161 otraces)
2162
2163 ;; Finally, guess the indentation rules.
2164 (prog1
2165 (smie-config--guess-1 sigs)
2166 (message "Guessing...done")))))
2167
2168 (defun smie-config--guess-1 (sigs)
2169 (let ((ssigs nil)
2170 (rules nil))
2171 ;; Sort the sigs by frequency of occurrence.
2172 (maphash (lambda (sig sig-data) (push (cons sig sig-data) ssigs)) sigs)
2173 (setq ssigs (sort ssigs (lambda (sd1 sd2) (> (cadr sd1) (cadr sd2)))))
2174 (while ssigs
2175 (pcase-let ((`(,sig ,total ,off-alist ,cotraces) (pop ssigs)))
2176 (cl-assert (= total (apply #'+ (mapcar #'cdr off-alist))))
2177 (let* ((sorted-off-alist
2178 (sort off-alist (lambda (x y) (> (cdr x) (cdr y)))))
2179 (offset (caar sorted-off-alist)))
2180 (if (zerop offset)
2181 ;; Nothing to do with this sig; indentation is
2182 ;; correct already.
2183 nil
2184 (push (cons (+ offset (nth 2 sig)) sig) rules)
2185 ;; Adjust the rest of the data.
2186 (pcase-dolist ((and cotrace `(,count ,toffset . ,trace))
2187 cotraces)
2188 (setf (nth 1 cotrace) (- toffset offset))
2189 (dolist (sig trace)
2190 (let ((sig-data (cdr (assq sig ssigs))))
2191 (when sig-data
2192 (let* ((ooff-data (assq toffset (nth 1 sig-data)))
2193 (noffset (- toffset offset))
2194 (noff-data
2195 (or (assq noffset (nth 1 sig-data))
2196 (let ((off-data (cons noffset 0)))
2197 (push off-data (nth 1 sig-data))
2198 off-data))))
2199 (cl-assert (>= (cdr ooff-data) count))
2200 (cl-decf (cdr ooff-data) count)
2201 (cl-incf (cdr noff-data) count))))))))))
2202 rules))
2203
2204 (defun smie-config-guess ()
2205 "Try and figure out this buffer's indentation settings.
2206 To save the result for future sessions, use `smie-config-save'."
2207 (interactive)
2208 (if (eq smie-grammar 'unset)
2209 (user-error "This buffer does not seem to be using SMIE"))
2210 (let ((config (smie-config--guess (point-min) (point-max))))
2211 (cond
2212 ((null config) (message "Nothing to change"))
2213 ((null smie-config--buffer-local)
2214 (smie-config-local config)
2215 (message "Local rules set"))
2216 ((y-or-n-p "Replace existing local config? ")
2217 (message "Local rules replaced")
2218 (smie-config-local config))
2219 ((y-or-n-p "Merge with existing local config? ")
2220 (message "Local rules adjusted")
2221 (smie-config-local (append config smie-config--buffer-local)))
2222 (t
2223 (message "Rules guessed: %S" config)))))
2224
2225 (defun smie-config-save ()
2226 "Save local rules for use with this major mode.
2227 One way to generate local rules is the command `smie-config-guess'."
2228 (interactive)
2229 (cond
2230 ((null smie-config--buffer-local)
2231 (message "No local rules to save"))
2232 (t
2233 (let* ((existing (assq major-mode smie-config))
2234 (config
2235 (cond ((null existing)
2236 (message "Local rules saved in `smie-config'")
2237 smie-config--buffer-local)
2238 ((y-or-n-p "Replace the existing mode's config? ")
2239 (message "Mode rules replaced in `smie-config'")
2240 smie-config--buffer-local)
2241 ((y-or-n-p "Merge with existing mode's config? ")
2242 (message "Mode rules adjusted in `smie-config'")
2243 (append smie-config--buffer-local (cdr existing)))
2244 (t (error "Abort")))))
2245 (if existing
2246 (setcdr existing config)
2247 (push (cons major-mode config) smie-config))
2248 (setq smie-config--mode-local config)
2249 (kill-local-variable 'smie-config--buffer-local)
2250 (customize-mark-as-set 'smie-config)))))
2251
2252 (provide 'smie)
2253 ;;; smie.el ends here