Lucas numbers are similar to Fib numbers except it starts with a 2 instead of a 1:
2, 1, 3, 4, 7, 11, 18,
I want to write a function to produce a list of Lucas series numbers in decreasing order until the nth element.
I wrote this but I traced it and it is way too slow to implement into my list-building function.
(defun lucas (n)
(cond
((equal n 0) 2)
((equal n 1) 1)
(t (+ (lucas (- n 1))
(lucas (- n 2))))))
Here is what I wrote for the list function. The problem is (lucas n) is very slow and I don't want to have to call a helper function when I'm already using let.
(defun lucas-list(n)
(cond
((equal n 0) (cons n nil))
(t (let ((n1 (lucas n)) (n2 (lucas(- n 1))))
(cons n1 (lucas-list n2))))))
What I am trying to achieve:
(lucas-list 3) => '(4 3 1 2))
Any suggestions/help is appreciated
The (pseudo-)linear time algorithm for the Fibonacci numbers can easily be extended to the Lucas numbers:
This can be mapped over the integers to get the desired result:
But there's actually a faster way: if you realize that the above algorithm computes Lᵢ₋₁ and Lᵢ₋₂ before it computes Lᵢ, then saving those in a list should save a lot of time. That gives:
In action: