newLISP Fan Club

Forum => newLISP in the real world => Topic started by: cameyo on August 11, 2020, 01:52:12 AM

Title: Find single number
Post by: cameyo on August 11, 2020, 01:52:12 AM
Given a list of positive integers each number appears twice except one number. Find the single number.

Note: The function has to traverse the list only once (O(n)).
Title: Re: Find single number
Post by: fdb on August 11, 2020, 11:44:51 PM
HI Cameyo,



I would do something like this, using a hash table:

(define (find-number lst)
(define Myhash:Myhash)  ; hash table creation, O(1) lookup time
(set ' total 0)
(dolist (n lst)
(if (Myhash n)
(dec total n)    ; decrease when already added before
(begin
(Myhash n true)
(inc total n))))  ; if not in hash table increase
(delete 'Myhash)  ; first to delete contents and namespace
(delete 'Myhash)  ; second to delete symbol
total)

(find-number '(1 2 3 4 5 3 2 1 5))

-> 4
Title: Re: Find single number
Post by: cameyo on August 12, 2020, 01:17:34 AM
Hi fdb,

thanks for your solution (hash table is nice).

There is a faster method using a boolean operator...

I'll post my solution in the next days.



cameyo
Title: Re: Find single number
Post by: cameyo on August 13, 2020, 04:20:05 AM
My solution using XOR:
(define (find-number lst) (apply ^ lst))
(find-number '(1 3 1 2 3 4 5 2 4))
;-> 5
Title: Re: Find single number
Post by: fdb on August 13, 2020, 12:45:07 PM
Very nice! An instruction I've  never used in practice.