The callback functions of nodejs are not a particular case of continuations. "Continuation" is a more generic term than this.
Translating from wikipedia :
A continuation is an abstract representation of the execution flow state of a program. A continuation reifies implicit flow control in an explicit function
For example, suppose I am making the following account:
(define (conta)
(* (+ 1 2) 4))
There is an implicit flow control command when I perform these operations. I'd like to explain it by converting the program to single assignment form:
a <- 1 + 2
b <- a * 4
Continuations are one way of representing this implicit order of execution. Given a point in the code, the continuation of that point is a function that represents what will happen in the future. For example, the continuation of the sum operation point on the third line is a (lambda (a) (a * 4))
One thing we can do with continuations is to write our program so that the continuations appear explicitly. This is called Continuation Passing Style and that's what people do on Nodejs. In our example, this would be to use operations like + -cps and * -cps instead of + and * which return values:
(define (conta-cps cont)
(+-cps 1 2 (lambda (a)
(*-cps a 4 cont)))
Programming like this has some benefits. For example, with continuations you can "pause" code execution. Just grab the continuation and save it into some data structure and call it back later. Proceedings also allow you to implement some control mechanisms yourself, such as "return", "try-catch", and iterators.
The problem is that it is a bag to convert all your functions to CPS at hand. This is where first-class continuations come in, using call-with-current-continuation (call / cc) you can write your code without continuations but you have access to the continuations as if you had written the code in CPS. >
I will not give examples of call / cc because I think the code gets very complicated. In practice you can use other less powerful tools that give you similar benefits (being able to pause and restart the program, etc.). For example, in Scheme there are delimited continuations, in Python you have generators and in Lua you have corotinas.