Reorder list
Problem 1
Given a singly linked list L: L0→L1→…→Ln-1→Ln, reorder it to: L0→Ln→L1→Ln-1→L2→Ln-2→…
You must do this in-place without altering the nodes’ values.
For example, Given
{1,2,3,4}
, reorder it to{1,4,2,3}
.
Idea
- split from middle (fast-slow-pointer in java usually); ({1 2 3 4} => {1 2} {3 4})
- reverse the after one ({3 4} => {4 3});
- weave.
Notice that if list length is odd, clojure map doesn’t work well:
user=> (mapcat list '(1 2) '(3))
(1 3)
Here we use
- split-at
- reverse
- concat
- mapcat
- count
- drop
Solution
(defn reorder-list
[coll]
(let [cnt (count coll)
[left right] (split-at (/ cnt 2) coll)
reversed-right (reverse right)]
(concat (mapcat list left reversed-right)
(if (> (count reversed-right) (count left))
(drop (count left) reversed-right)
(drop (count reversed-right) left)))))
(reorder-list '(1 2 3 4))
;= (1 4 2 3)
(reorder-list '(1 2 3 4 5))
;= (1 5 2 4 3)
Improvements
Seeking for better solution now :( I think the concat part is urgly.
Updated
We can write a map-all
to extend map
like what partition-all
to partiion
:
(defn map-all
[f & colls]
(letfn [(do-map-all [results f & colls]
(if-let [args (seq (->> colls (filter seq) (map first)))]
(let [result (apply f args)
results (concat results (list result))]
(recur results f (map rest colls)))
results))]
(apply do-map-all () f colls)))
(println (map-all list '(1 2) '(3 4 5)))
;; => ((1 3) (2 4) (5))
(println (map-all list '(1 2 3 nil) '(4 5)))
;; => ((1 4) (2 5) (3) (nil))
Thanks @dennis, @xhh a lot!