在 Common Lisp 中构建动态 COND 子句
Build dynamic COND clauses in Common Lisp
我想知道是否可以从像(伪代码)这样的循环中动态构建 COND 子句:
(defvar current-state 1)
(defmacro mymacro ()
(cond
`(loop (state . callback) in possible-states
do ((eq current-state ,state)
(funcall ,callback)))))
LOOP 将从列表中构建子句并生成如下内容:
(cond
((eq current-state 1)
(funcall func-1))
((eq current-state 2)
(funcall func-2))
((eq current-state 3)
(funcall func-3)))
宏在编译时扩展,因此您的 possible-states
变量必须是编译时常量。如果不是这种情况(或者如果你对我上面的意思不是很清楚),你应该而不是在这里使用宏。
改用函数:
(funcall (cdr (find current-state possible-states :key #'car :test #'eq)))
或
(funcall (cdr (assoc current-state possible-states :test #'eq)))
或者,更好的是,让你的 possible-states
成为一个 哈希
table 而不是 关联
名单:
(funcall (gethash current-state possible-states))
然而,如果你的possible-states
是一个编译时间常量,你
确实可以使用宏,除了你可能想使用
case
而不是
cond
:
(defmacro state-dispatch (state)
`(case ,state
,@(mapcar (lambda (cell)
`((,(car cell)) (,(cdr cell))))
possible-states)))
(defparameter possible-states '((1 . foo) (2 . bar)))
(macroexpand-1 '(state-dispatch mystate))
==> (CASE MYSTATE ((1) (FOO)) ((2) (BAR))) ; T
请注意,从速度的角度来看,gethash
版本可能与宏版本相同(至少不慢)。
我想知道是否可以从像(伪代码)这样的循环中动态构建 COND 子句:
(defvar current-state 1)
(defmacro mymacro ()
(cond
`(loop (state . callback) in possible-states
do ((eq current-state ,state)
(funcall ,callback)))))
LOOP 将从列表中构建子句并生成如下内容:
(cond
((eq current-state 1)
(funcall func-1))
((eq current-state 2)
(funcall func-2))
((eq current-state 3)
(funcall func-3)))
宏在编译时扩展,因此您的 possible-states
变量必须是编译时常量。如果不是这种情况(或者如果你对我上面的意思不是很清楚),你应该而不是在这里使用宏。
改用函数:
(funcall (cdr (find current-state possible-states :key #'car :test #'eq)))
或
(funcall (cdr (assoc current-state possible-states :test #'eq)))
或者,更好的是,让你的 possible-states
成为一个 哈希
table 而不是 关联
名单:
(funcall (gethash current-state possible-states))
然而,如果你的possible-states
是一个编译时间常量,你
确实可以使用宏,除了你可能想使用
case
而不是
cond
:
(defmacro state-dispatch (state)
`(case ,state
,@(mapcar (lambda (cell)
`((,(car cell)) (,(cdr cell))))
possible-states)))
(defparameter possible-states '((1 . foo) (2 . bar)))
(macroexpand-1 '(state-dispatch mystate))
==> (CASE MYSTATE ((1) (FOO)) ((2) (BAR))) ; T
请注意,从速度的角度来看,gethash
版本可能与宏版本相同(至少不慢)。