newLISP Fan Club

Forum => newLISP in the real world => Topic started by: cameyo on May 27, 2019, 01:50:50 AM

Title: Nesting level of a list
Post by: cameyo on May 27, 2019, 01:50:50 AM
I use the following function to calculate the maximum nesting deep of a list:
(define (nesting lst)
  (cond ((null? lst) 0)
        ((atom? lst) 0)
        (true (max (+ 1 (nesting (first lst)))
                   (nesting (rest lst))))
  )
)

(nesting '(a (((b c (d)))) (e) ((f)) g))
;-> 5

Is there a better/faster way to do this?

Thanks.
Title: Re: Nesting level of a list
Post by: rickyboy on May 27, 2019, 07:52:03 AM
Here's another way to do it.


(define (nesting lst)
  (if (null? lst) 0
      (atom? lst) 0
      (+ 1 (apply max (map nesting lst)))))

You be the judge if it's "better".  Beware though that, although the code length is shorter, timing tests show that it is slightly *slower* than the original.  map has to create more cells, so the slowdown is probably due to that -- which also means increased space overhead!  So, maybe you should stick with the original. :)
Title: Re: Nesting level of a list
Post by: cameyo on May 27, 2019, 02:02:33 PM
The magic of "map" :-)
Title: Re: Nesting level of a list
Post by: fdb on May 27, 2019, 02:42:39 PM
Not very elegant but maybe faster (for short lists I presume)


(define (nesting lst prev (t 0))
(if (= lst prev)
t
 (nesting (flat lst 1) lst (inc t))))


> (nesting '(a (((b c (d)))) (e) ((f)) g))
5
Title: Re: Nesting level of a list
Post by: rickyboy on May 27, 2019, 04:26:18 PM
Excellent, fdb!  Faster than mine by about a factor of 3 (on the sample input)! 2.5 times faster than the original.
Title: Re: Nesting level of a list
Post by: cameyo on May 27, 2019, 11:09:56 PM
Wow!!!

Thanks fdb