我有一个Common Lisp函数,它合并了两个有序的符号列表,没有重复(两个有序集):
(defun my-merge (x y)
"merge two lists of symbols *already sorted and without duplicates*
(and return the resulting list sorted and without duplicates)"
(let* ((first (cons nil nil))
(last first))
(loop while (and x y)
for cx = (car x)
for cy = (car y)
if (string= cx cy)
do (setf x (cdr x))
else if (string< cx cy)
do (rplacd last (cons cx nil))
and do (setf last (cdr last)
x (cdr x))
else do (rplacd last (cons cy nil))
and do (setf last (cdr last)
y (cdr y)))
(rplacd last (or x y))
(cdr first)))
由于我在实际案例中只发现了关于使用类型声明的稀缺信息以便有效地编译代码,我不确定是否足以声明变量,例如以这种方式:
(defun my-merge (x y)
"merge two list of symbols *already sorted and without duplicates*"
(declare (list x y))
(let* ((first (cons nil nil))
(last first))
(declare (cons first last))
(loop while (and x y)
for cx symbol = (car x)
for cy symbol = (car y)
...
或者,正如我想的那样,是否还需要将the
说明符添加到我的代码中?但是,哪里和哪些情况我应该添加它?
有人可以遵循一些规则吗?
我是否还要声明我的函数类型,再次用于优化目的?
答案 0 :(得分:8)
<强>风格强>
由于您实际上并没有以任何有用的方式使用扩展的LOOP
功能,LOOP
语法对您的示例来说并不是那么好,我建议使用原语{{ 1}}。了解LOOP
如何使Lisp程序员更具可读性:
COND
<强>编译强>
鉴于编译器的复杂程度:
完全愚蠢=编译器忽略所有声明 - &gt;声明无济于事
大多数是stupid =编译器需要在任何地方声明,但是优化 - &gt;你需要写很多声明
示例:
(defun my-merge (x y &aux (first (list nil)) (last first) cx cy)
(macrolet ((cdr! (v)
`(setf ,v (cdr ,v))))
(loop (unless (and x y)
(return))
(setf cx (car x) cy (car y))
(cond ((string= cx cy)
(cdr! x))
((string< cx cy)
(rplacd last (list cx))
(cdr! last)
(cdr! x))
(t
(rplacd last (list cy))
(cdr! last)
(cdr! y))))
(rplacd last (or x y))
(cdr first)))
请注意,可能不足以知道参数类型是什么,可能需要声明结果类型。因此使用(let ((a 1) (b 2))
(declare (integer a b))
(let ((c (the integer (* (the integer (+ a b))
(the integer (- a b))))))
(declare (integer c))
(the integer (* c c))))
。 the
和探查者是你的朋友。
更好的编译器会抱怨类型错误,可以跨函数传播类型,并且在无法进行某些优化时会抱怨。
序列函数
请注意,序列函数是一个特别棘手的案例。 序列具有子类型列表和向量(包括字符串)。
假设序列函数是:
DISASSEMBLE
如果序列属于同一类型,可能希望为列表提供优化的代码版本,为向量提供另一个版本。
如果序列属于不同类型,则将一个序列转换为不同类型可能很有用。也许不是。
结果类型也有影响,根据结果类型,可能/必要的算法不同
所以自由度很高。编译器可能有助于快速代码。但是特定序列函数的实现也许能够在运行时进行一些优化。
然后(foo result-type sequence-1 sequence-2 fn)
是一个获取元素并产生新元素的函数。知道它的类型签名可能会有所帮助 - 或者不知道。
我无法确定哪个当前的Common Lisp具有复杂的序列函数实现。虽然我记得Symbolics Common Lisp实现为此付出了一些努力。
文档和论文
通常编译器可以优化的内容以及如何记录,如果有的话。有一些关于这个主题的论文,但通常都是陈旧和/或过时的。