8

如何计算 Emacs Lisp 中两组之间的差异?集合应该是列表。程序应该非常简单和简短,否则我不会理解它。我是新手。

谢谢

4

5 回答 5

10

set-differenceCommon Lisp 扩展中有一个函数:

elisp> (require 'cl-lib)
cl-lib
elisp> (cl-set-difference '(1 2 3) '(2 3 4))
(1)
于 2012-06-07T21:52:11.257 回答
6

当我编写包含大量列表数据转换的 Elisp 代码时,我使用dash库,因为它有很多函数可以处理列表。设置差异可以通过以下方式完成-difference

(require 'dash)
(-difference '(1 2 3 4) '(3 4 5 6)) ;; => '(1 2)
于 2014-11-18T07:42:06.210 回答
3

免责声明:这不是在 eLisp 中执行此操作的有效方法。一种有效的方法是通过带有哈希函数的哈希表,但是既然您询问了列表,那么这里是:

(defun custom-set-difference (a b)
  (remove-if
     #'(lambda (x) (and (member x a) (member x b)))
     (append a b)))

(custom-set-difference '(1 2 3 4 5) '(2 4 6))

(1 3 5 6)

(defun another-set-difference (a b)
  (if (null a) b
    (let (removed)
      (labels ((find-and-remove
                (c)
                (cond
                 ((null c) nil)
                 ((equal (car c) (car a))
                  (setq removed t) (cdr c))
                 (t (cons (car c) (find-and-remove (cdr c)))))))
        (setf b (find-and-remove b))
        (if removed
            (another-set-difference (cdr a) b)
          (cons (car a) (another-set-difference (cdr a) b)))))))

(another-set-difference '(1 2 3 4 5) '(2 4 6))

(1 3 5 6)

第二个效率更高一些,因为它会在进行后续检查时删除元素,但第一个更短且更直接。

另请注意,列表不是集合的良好表示,因为它们自然允许重复。哈希图更适合这个目的。

于 2012-06-07T23:06:43.000 回答
2

这是一个简单而简短的定义,应该很容易理解。它本质上与set-differenceEmacs 的 Common Lisp 库中的函数相同,但没有对 TEST 参数进行任何处理。

(defun set-diff (list1 list2 &optional key)
  "Combine LIST1 and LIST2 using a set-difference operation.
Optional arg KEY is a function used to extract the part of each list
item to compare.

The result list contains all items that appear in LIST1 but not LIST2.
This is non-destructive; it makes a copy of the data if necessary, to
avoid corrupting the original LIST1 and LIST2."
  (if (or (null list1)  (null list2))
      list1
    (let ((keyed-list2  (and key  (mapcar key list2)))
          (result       ()))
      (while list1
        (unless (if key
                    (member (funcall key (car list1)) keyed-list2)
                  (member (car list1) list2))
          (setq result  (cons (car list1) result)))
        (setq list1  (cdr list1)))
      result)))
于 2013-10-27T22:45:13.520 回答
1

GNU Emacs Lisp Reference Manual, Sets and Lists建议使用cl-lib
cl-set-difference LIST1 LIST2 &key :test :test-not :key

(require 'cl-lib)
(cl-set-difference '(1 2 3) '(2 3 4))
(1)
于 2019-11-15T21:39:03.093 回答