Swapping elements in a Common Lisp list

2020-02-10 03:39发布

Is there a Common Lisp function that will swap two elements in a list given their indices and return the modified list?

2条回答
狗以群分
2楼-- · 2020-02-10 04:19

You can use rotatef:

(rotatef (nth i lst) (nth j lst))

Of course, list indexing can be expensive (costing O(size of list)), so if you do this with any regularity, you'd rather want to use an array:

(rotatef (aref arr i) (aref arr j))
查看更多
霸刀☆藐视天下
3楼-- · 2020-02-10 04:28

I would avoid indexing into the list twice by using nthcdr to get the cdr of the cons cell containing the first element that you want to swap and then use elt to get the remaining element out of the sublist. This means that you only have to actually index starting from the head of the list once.

 (let ((list-tail (nthcdr i list)))
    (rotatef (car list-tail)
             (elt list-tail (- j i)))
    list)

At least from my perspective, this is sufficiently tedious to justify a function.

查看更多
登录 后发表回答