views:

483

answers:

5

I want to make a local instance of a Java Scanner class in a clojure program. Why does this not work:

;gives me:  count not supported on this type: Symbol 
(let s (new Scanner "a b c"))

but it will let me create a global instance like this:

(def s (new Scanner "a b c"))

I was under the impression that the only difference was scope, but apparently not. What is the difference between let and def?

+6  A: 

Correct syntax:

(let [s (Scanner. "a b c")] ...)
ayrnieu
+20  A: 

The problem is that your use of let is wrong.

Let works like this:

(let [identifier (expr)])

So your example should be something like this:

(let [s (Scanner. "a b c")]
  (exprs))

You can only use the lexical bindings made with let within the scope of let (the opening and closing parens). Let just creates a set of lexical bindings. def and let do pretty much the same thing. I use def for making a global binding and lets for binding something I want only in the scope of the let as it keeps things clean. They both have their uses.

NOTE: (Class.) is the same as (new Class), it's just syntactic sugar.

Rayne
+3  A: 

The syntax for them is different, even if the meanings are related.

let takes a list of bindings (name value pairs) followed by expressions to evaluate in the context of those binding.

def just takes one binding, not a list, and adds it to the global context.

MarkusQ
+5  A: 

LET is not "make a lexical binding in the current scope", but "make a new lexical scope with the following bindings".

(let [s (foo whatever)]
  ;; s is bound here
  )
;; but not here
(def s (foo whatever))
;; s is bound here
Svante
I see, so kind of like C#'s using or Python's with but without any destruction (which would be kind of dumb given immutable state anyway).
Jason Baker
A: 

Simplified: def is for global constants, let is for local variables.

Dev er dev
No, that is an oversimplification, and exactly this lead to the original asker's confusion. LET creates a _new_block_ with lexical bindings, whereas DEF only makes a new "global" binding.
Svante