lisp-algo/union-find/quick-find.lisp

40 lines
1.2 KiB
Common Lisp
Raw Normal View History

2019-01-27 20:29:42 +01:00
;;;; Quick Find Algorithm
;;;; This algorithm solve dynamic connectivity
;;;; problem by providing a way to find if there
;;;; is a path between two nodes in a dynamic graph
2019-02-24 10:30:57 +01:00
(in-package :com.lisp-algo.union-find)
2019-01-27 20:29:42 +01:00
2019-02-24 20:33:55 +01:00
(defclass quick-find ()
((nw-size
:initarg :network-size
:initform 10
:accessor network-size)
(nw
:initform nil
:accessor network)))
(defmethod initialize-instance :after ((algo quick-find) &key)
;; Initialize network using dynamic vector
(let* ((nw-size (slot-value algo 'nw-size))
(nodes (make-array nw-size :fill-pointer 0)))
(dotimes (id nw-size)
2019-01-27 19:34:56 +01:00
(vector-push id nodes))
2019-02-24 20:33:55 +01:00
(setf (slot-value algo 'nw) nodes)))
2019-01-27 19:34:56 +01:00
2019-02-24 20:33:55 +01:00
(defmethod union ((algo-instance quick-find) n1 n2)
(with-slots ((nw nw)) algo-instance
(let ((v-n1 (elt nw n1))
(v-n2 (elt nw n2))
(new-network (copy-seq nw)))
2019-01-27 19:34:56 +01:00
(dotimes (n (length new-network))
(if (= (elt new-network n) v-n2) (setf (elt new-network n) v-n1)))
2019-02-24 20:33:55 +01:00
(setf nw new-network))))
2019-01-27 20:29:42 +01:00
2019-02-24 20:33:55 +01:00
(defmethod connected ((algo-instance quick-find) n1 n2)
2019-01-27 20:29:42 +01:00
" Return t if there is a path between n1 and n2, nil otherwise. connected represent the find operation of the Quick Find Algorithm"
2019-02-24 20:33:55 +01:00
(with-slots ((nw nw)) algo-instance
(= (elt nw n1) (elt nw n2))))
2019-01-27 19:34:56 +01:00