I am trying to calculate a person's age in Common Lisp using a given date of birth (a string of the form YYYY-MM-DD
) but I got the following error:
Error:
"2013-12-10"' is not of the expected type
number'
My code is as follows
(defun current-date-string ()
"Returns current date as a string."
(multiple-value-bind (sec min hr day mon yr dow dst-p tz)
(get-decoded-time)
(declare (ignore sec min hr dow dst-p tz))
(format nil "~A-~A-~A" yr mon day)))
(defvar (dob 1944-01-01))
(let ((age (- (current-date-string) dob))))
Can anyone give me help in this regard? I suspect that the current date is in string format like my input, but how can we convert it into the same date format as my input?
Your code
There are two immediate problems:
-
takes numbers as arguments. You're passing the result of(current-date-string)
, and that's a string produced by(format nil "~A-~A-~A" yr mon day)
.This code doesn't make any sense:
It's not indented properly, for one thing. It's two forms, the first of which is
(defvar (dob 1944-01-01))
. That's not the right syntax fordefvar
.1944-01-01
is a symbol, and it's not bound, so even if you had done(defvar dob 1944-01-01)
, you'd get an error when the definition is evaluated. While(let ((age (- (current-date-string) dob))))
is syntactically correct, you're not doing anything after binding age. You probably want something like(let ((age (- (current-date-string) dob))) <do-something-here>)
.Date arithmetic
At any rate, universal times are integer values that are seconds:
This means that you can take two universal times and subtract one from the other to get the duration in seconds. Unfortunately, Common Lisp doesn't provide functions for manipulating those durations, and it's non-trivial to convert them because of leap years and the like. The Common Lisp Cookbook mentions this:
Reading date strings
It sounds like you're needing to also read dates from strings of the form
YYYY-MM-DD
. If you're confident that the value that you receive will be legal, you can do something as simple asThat will return a universal time, and you can do the arithmetic as described above.
Being lazy
It's generally good practice as a programmer to be lazy. In this case, we can be lazy by not implementing these kinds of functions ourselves, but instead using a library that will handle it for us. Some Common Lisp implementations may already provide date and time functions, and there are many time libraries listed on Cliki. I don't know which of these is most widely used, or has the coverage of the kinds of functions that you need, and library recommendations are off-topic for StackOverflow, so you may have to experiment with some to find one that works for you.