newLISP Fan Club

Forum => newLISP in the real world => Topic started by: kanen on July 28, 2013, 10:26:34 PM

Title: Inserting into a nested list (with assoc)
Post by: kanen on July 28, 2013, 10:26:34 PM
I have a list:


(set (global 'me) '(
  (80 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101))) )
  (25 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101))) )
  ))


I can get to it fairly easily;


(assoc 80 me)                     ; returns all "80" results
(assoc (list 80 1010) me)         ; returns all "80" + "1010" results
(last (assoc (list 80 1010) me))  ; returns the list for 80 + 1010


My question is, how do I insert a list into the results from (last (assoc (list 80 1010) me)) easily and quickly? I can get the results, insert into them, then re-insert the new list... but, I'd rather do this all-at-once.
Title: Re: Inserting into a nested list (with assoc)
Post by: cormullion on July 29, 2013, 12:45:50 AM
Perhaps set-ref can help:


(set-ref (assoc (list 80 1010) me) me (append $it (list "more stuff")))

(
 (80 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101))
   "more stuff"))
 (25 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101)))
 ))
Title: Re: Inserting into a nested list (with assoc)
Post by: kanen on July 29, 2013, 08:25:34 AM
Thanks!



I've never even used (set-ref) before, in all my years of newLisp. Everyday, as they say... you learn a thing.
Title: Re: Inserting into a nested list (with assoc)
Post by: cormullion on July 29, 2013, 10:46:16 AM
set-ref is nearly as awesome as set-ref-all with match wild-cards! :)
Title: Re: Inserting into a nested list (with assoc)
Post by: Lutz on July 30, 2013, 06:42:42 AM
This can be made even simpler. The example searches me twice. First assoc searches in me then set-ref does search in me again for the expression found by assoc.



In this case you could just use setf:


(setf (assoc '(80 1010) me)  (append $it (list "more stuff")))

me =>
((80 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101))
   "more stuff"))
 (25 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101)))))


The place reference returned by assoc can be used by setf



.. and you can make it even shorter using push:


(push "more stuff" (assoc '(80 1010) me) -1)

me =>
((80 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101))
   "more stuff"))
 (25 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101)))))


push also can use place references and you can better control where to exactly put the new piece:


(push "more stuff" (assoc '(80 1010) me) -1 -1)

me =>
((80 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101)
    "more stuff")))
 (25 (1010 ((84 114 117 115 116 80 105 112 101 73 115 65 119 101 115 111 109 101)))))

 

in this case, the new element is pushed one nesting level higher.