SlideShare ist ein Scribd-Unternehmen logo
1 von 59
Downloaden Sie, um offline zu lesen
Clojure:
Functional
Concurrency for
the JVM
Howard M. Lewis Ship

Director of Open Source Technology
Formos Software Development

howard.lewis.ship@formos.com

                                     © 2009 Formos Software Development
http://xkcd.com/297/




Clojure: The Language

                       © 2009 Formos Software Development
Rich Hickey




              © 2009 Formos Software Development
Code is Data


                 Quoted list of
'(1 2 3)         numbers




(biggest 5 42)                Function call

                                       Function definition


(defn biggest
  "Find the maximum of two numbers"
  [x y]
  (if (> x y) x y))

                                                            © 2009 Formos Software Development
Read Eval Print Loop


         user=> (defn biggest
            "Find the maximum of two numbers"
            [x y]
            (if (> x y) x y))
         #=(var user/biggest)
         user=> (biggest 5 42)
         42
         user=> (doc biggest)
         -------------------------
         user/biggest
         ([x y])
            Find the maximum of two numbers
         nil
         user=> '(1 2 3)
         (1 2 3)
         user=> '(biggest 5 42)
         (biggest 5 42)
         user=> (first '(biggest 5 42))
         biggest
         user=> (eval '(biggest 5 42))
         42

                                                © 2009 Formos Software Development
There Is No Interpreter



                                                 Source Code

Repl Input                 Clojure
                                  User Classes        Java
               Evaluator
                                                    Compiler
  Clojure
Source Files          Java Libraries

                            JVM

                    Operating System


                                                 © 2009 Formos Software Development
Clojure Literals



           user=> 42
           42
           user=> "A Clojure String"
           "A Clojure String"
           user=> nil
           nil
           user=> :balance
           :balance
           user=> true
           true
           user=> false
           false




                                       © 2009 Formos Software Development
Clojure Literals


           user=> 5
           5
           user=> 5.001
           5.001
           user=> 22/7
           22/7
           user=> (* 2 22/7)
           44/7
           user=> (* 100000 100000 100000)
           1000000000000000
           user=> (+ 5. 0.000000000000000001)
           5.0
           user=> (+ 5.0M 0.000000000000000001M)
           5.000000000000000001M




                                                   © 2009 Formos Software Development
Java Interop


factory.setNamespaceAware(true)               (.setNamespaceAware factory true)


new StringBuffer()                                          (new StringBuffer)

                                                               (StringBuffer.)



factory.newSAXParser().parse(src, handler)

                                  (.. factory newSAXParser (parse src handler))




myObject.ivar = "foo";                           (set! (. myObject ivar) "foo")




                                                                © 2009 Formos Software Development
Java Interop



frame = new JFrame();

frame.add(panel, BorderLayout.CENTER);
frame.add(greetButton, BorderLayout.SOUTH);
frame.pack();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setVisible(true);




                  (doto (JFrame.)
                    (.add panel BorderLayout/CENTER)
                    (.add greet-button BorderLayout/SOUTH)
                    (.pack)
                    (.setDefaultCloseOperation JFrame/EXIT_ON_CLOSE)
                    (.setVisible true))




                                                            © 2009 Formos Software Development
Clojure Collections: Lists




                            4
                                lst
user=> (def lst `(1 2 3))
#=(var user/lst)
user=> lst
(1 2 3)
user=> (first lst)
1                                 1
user=> (rest lst)
(2 3)
user=> (conj lst 4)                   2
(4 1 2 3)
user=> (cons 4 lst)
(4 1 2 3)                                 3


                                          © 2009 Formos Software Development
Clojure Collections: Vectors


          user=> (def v [:moe :larry :curly])
          #=(var user/v)
          user=> v
          [:moe :larry :curly]
          user=> (first v)
          :moe
          user=> (rest v)
          (:larry :curly)
          user=> (conj v :shemp)
          [:moe :larry :curly :shemp]
          user=> (cons :shemp v)
          (:shemp :moe :larry :curly)
          user=> v
          [:moe :larry :curly]
          user=> (v 1)
          :larry

                        vector is a
                        function of
                        its indexes

                                                © 2009 Formos Software Development
Clojure Collections: Map




 user=> (def m {:first-name "Howard" :last-name "Lewis Ship"})
 #=(var user/m)
 user=> m
 {:last-name "Lewis Ship", :first-name "Howard"}
 user=> (get m :last-name)
 "Lewis Ship"                                map is a
 user=> (m :last-name)                       function of
 "Lewis Ship"
 user=> (assoc m :company "Formos")
                                             its keys
 {:company "Formos", :last-name "Lewis Ship", :first-name "Howard"}
 user=> m
 {:last-name "Lewis Ship", :first-name "Howard"}
 user=> (:first-name m)
 "Howard"
 user=> (:ssn m)
 nil
                                   Keywords are
                                   functions, too!

                                                           © 2009 Formos Software Development
Clojure Collections: Sets


 user=> (def s #{"Howard" "Suzanne" "Molly" "Jim"})
 #=(var user/s)
 user=> s
 #{"Howard" "Jim" "Molly" "Suzanne"}
 user=> (contains? s "Howard")
 true
 user=> (contains? s "howard")
 false                                    set is a
 user=> (s "Howard")                      function of
 "Howard"                                 its elements
 user=> (s "Rhys")
 nil
 user=> (conj s "Howard")
 #{"Howard" "Jim" "Molly" "Suzanne"}
 user=> (conj s "Scott")
 #{"Howard" "Jim" "Molly" "Suzanne" "Scott"}




                                                         © 2009 Formos Software Development
❝For alumni of other languages,
beginning to use Lisp may be like stepping
onto a skating rink for the first time. It’s
actually much easier to get around on ice
than it is on dry land—if you use skates.
Till then you will be left wondering
what people see in this sport.❞


Paul Graham
                                   © 2009 Formos Software Development
Functional Programming

                  © 2009 Formos Software Development
No
Mutable
 State© 2009 Formos Software Development
No Side
Effects
     © 2009 Formos Software Development
First Class
Functions
         © 2009 Formos Software Development
Functional
Composition
         © 2009 Formos Software Development
Functional Programming in Java



public void saveOrUpdate(final Employee employee)
{
  HibernateCallback callback = new HibernateCallback()
  {
    public Object doInHibernate(Session session)
      throws HibernateException,SQLException
    {
      session.saveOrUpdate(employee);
      return null;
    }
  };

    hibernateTemplate.execute(callback);
}


                                                         Outer function controls the
SwingUtilities.invokeLater(new Runnable()                context:
{
  public void run()                                      • Thread
  {                                                      • Exception handling
    progressBar.setValue(progressBar.getValue() + 1);
  }                                                      • Parameters
});
                                                                        © 2009 Formos Software Development
Functional Java Collections

public interface Predicate<T>
{
  boolean accept(T value);
}

public static <T> Collection<T> filter(Predicate<T> pred, Collection<T> coll)
{
  Collection<T> out = new ArrayList<T>();

    for (T item : coll)
    {
      if (pred.accept(item))
        out.add(item);
    }

    return out;
}


return CollectionUtils.filter(new Predicate<String>()
{
  public boolean accept(String value)
  {
    return !value.startsWith(".");
  }
}, names);


                                                                      © 2009 Formos Software Development
Functional Clojure Collections

                              Function
            Anonymous        parameter
             function

         (filter #(not (.startsWith % ".")) names)




               Member
             access form



    user=> (def names ["fred" "barney" ".hidden" "wilma"])
    #=(var user/names)
    user=> (filter #(not (.startsWith % ".")) names)
    ("fred" "barney" "wilma")
    user=> (remove #(.startsWith % ".") names)
    ("fred" "barney" "wilma")
    user=>




                                                             © 2009 Formos Software Development
First Class Functions
     (filter #(not (.startsWith % ".")) names)




                           function as
                           parameter to
                           function



  (defn require-extension [ext]
    (fn [file-name]
      (= ext (last (split-string file-name ".")))))




                function as
                return value

 (defn filter-by-extension [ext coll]
   (filter (require-extension ext) coll))



                   composing functions
                                                      © 2009 Formos Software Development
Life without the for loop

public static int sum(int[] vals)
{
  int total = 0;
                                             col

    for (int val : vals) total += val;

    return total;
}

                                              x


                                                          y

(defn sum                                                        z
  [col]
  (reduce + 0 col))
                         ➠    0 + col[0] + col[1] + col[2] ...




                                                                 © 2009 Formos Software Development
Life without the for loop

  public static String[] formatDoubles(double[] inputs)
  {
    String[] output = new String[inputs.length];

      for (int i = 0; i < input.length; i++)
        output[i] = String.format("%9.2f", inputs[i]);

      return output;
  }




  (defn format-doubles
                                                             f
    [col]
    (map #(format "%9.2f" %) col))
                                                             f
Apply function to
each item, forming                                           f
new seq

  user=> (format-doubles '(2.5 3.7 -22.7))
  ("     2.50" "     3.70" "   -22.70")


                                                          © 2009 Formos Software Development
for: list comprehension

user=> (range 0 5)
(0 1 2 3 4)
user=> (for [x (range 0 10) :when (even? x)]
         x)
(0 2 4 6 8)
user=>

user=> (for [suit [:heart :spade :diamond :club]
             rank [:ace 2 3 4]]
          [suit rank])
([:heart :ace] [:heart 2] [:heart 3] [:heart 4]
 [:spade :ace] [:spade 2] [:spade 3] [:spade 4]
 [:diamond :ace] [:diamond 2] [:diamond 3] [:diamond 4]
 [:club :ace] [:club 2] [:club 3] [:club 4])
user=>


user=> (for [x (range 1 5)
             y (range 0 x)]
         [x y])
([1 0]
 [2 0] [2 1]
 [3 0] [3 1] [3 2]
 [4 0] [4 1] [4 2] [4 3])
user=>
                                                          © 2009 Formos Software Development
Laziness is
                                             a Virtue




user=>   (take   20 (iterate inc 1))
(1 2 3   4 5 6   7 8 9 10 11 12 13 14 15 16 17 18 19 20)
user=>   (take   20 (map * (iterate inc 1) (iterate inc 1)))
(1 4 9   16 25   36 49 64 81 100 121 144 169 196 225 256 289 324 361 400)


                                                              © 2009 Formos Software Development
Laziness
           © 2009 Formos Software Development
Java: Data Encapsulated in Objects

              Person               Person                Person                Person


       firstName: "Howard"      firstName: "Scott"     firstName: "Molly"     firstName: "David"
     lastName: "Lewis Ship"   lastName: "Simon"    lastName: "Newman"    lastName: "Goldman"
             age: 42                age: 44               age: 29               age: 42




          public double averageAge(Collection<Person> persons)
          {
            double total = 0.0;

              for (Person p : persons)
                total += p.getAge();

              return total / persons.size();
          }




                                                                              © 2009 Formos Software Development
Clojure: Data in Transformable Collections
      :first-name    Howard            :first-name      Scott            :first-name        Molly


 {    :last-name   Lewis Ship
                                } {   :last-name     Simon
                                                               }{      :last-name      Newman
                                                                                                      }
         :age         42                 :age          44                 :age            29



     user=> persons
     [{:first-name "Howard", :last-name "Lewis Ship", :age 42} {:first-name
     "Scott", :last-name "Simon", :age 44} {:first-name "Molly", :last-name
     "Newman", :age 29}]
     user=> (map :age persons)
     (42 44 29)
     user=> (apply + (map :age persons))
     115
     user=>


     (defn avg-age
       [coll]
       (/ (apply + (map :age coll)) (count coll)))


     (defn avg                                                (defn avg-age
       [f coll]                                                 [coll]
       (/ (apply + (map f coll))) (count coll)))                (avg :age coll))

                                                (avg #(count (:last-name %)) persons)
                                                                                    © 2009 Formos Software Development
❝Somehow the idea of reusability got
attached to object-oriented
programming in the 1980s, and no
amount of evidence to the contrary
seems to be able to shake it free.❞



Paul Graham
                             © 2009 Formos Software Development
Clojure Concurrency

                      © 2009 Formos Software Development
Solving Deadlocks:
Timeout & Retry




                     © 2009 Formos Software Development
Solving
Deadlocks:
Specific Lock
Order



               © 2009 Formos Software Development
Solving Deadlocks:
Coarse Locks




                     © 2009 Formos Software Development
Locks are
the Enemy
       © 2009 Formos Software Development
Clojure: Software Transactional Memory

(def savings (ref 1000.))
(def checking (ref 2000.))
(def mm (ref 7000.))

(defn transfer
  "Transaction to transfer money from one account to another."
  [from to amount]
  (dosync
   (alter from - amount)
   (alter to + amount)))


(transfer checking savings 500.)                       (transfer mm checking 300.)



                    - 500.     + 500.      - 300.      + 300.



 Checking   1000.       500.                                                                         500.


 Savings    2000.                  2500.                  2800.                                     2800.


  MM        7000.                              6700.                                                6700.

                                                                             © 2009 Formos Software Development
Retries: Transactions Are Speculative

(def savings (ref 1000.))
(def checking (ref 2000.))
(def mm (ref 7000.))

(defn transfer
  "Transaction to transfer money from one account to another."
  [from to amount]
  (dosync
   (alter from - amount)
   (alter to + amount)))


(transfer checking savings 500.)                       (transfer mm checking 300.)
                                              + 300.

                    - 500.     - 300.      + 500.                        - 300.       + 300.



 Checking   1000.       500.
                                                         X                                                500.


 Savings    2000.                             2500.      2300.   2500.                      2800.        2800.


  MM        7000.                  6700.                         7000.                                   6700.
                                                                             6700.

                                                                                  © 2009 Formos Software Development
No
Blocking
       © 2009 Formos Software Development
No Locks
       © 2009 Formos Software Development
Persistent
Collections
         © 2009 Formos Software Development
Managing Mutation
• What can change?


  • Reference types: atom, var, agent, ref


• When can they change?


• When are changes visible to other threads?




                                               © 2009 Formos Software Development
Atoms
• Shared, Global


• Changes are atomic, synchronous, & non-blocking


• (swap!): Pass value to function yielding new value


• (reset!): Force new value, regardless of existing value

      user=> (def queue (atom []))
      #'user/queue
      user=> @queue
      []
      user=> (swap! queue conj {:parse "http://www.clojure.org/"})
      [{:parse "http://www.clojure.org/"}]
      user=> @queue
      [{:parse "http://www.clojure.org/"}]
      user=> (reset! queue [])
      []
      user=> @queue
      []
      user=>


                                                                     © 2009 Formos Software Development
Vars — Per-Thread Mutables
• (def) sets global binding


• (binding) to set up a per-thread override


• (set!) if per-thread binding

     user=>   (def x 1)
     #=(var   user/x)
     user=>   x
     1
     user=> (defn manipulate-x []
              (binding [x 2]
                (printf "Local x is %d" x)
                (set! x 3)
                (printf "nLocal x is now %dn" x)))
     #=(var user/manipulate-x)
     user=> (.run (Thread. manipulate-x))
     Local x is 2
     Local x is now 3
     nil
     user=> x
     1
                                                       © 2009 Formos Software Development
Interfacing with Java APIs

 (def *tokens*)

 (defn add-token
   [token]
   (set! *tokens* (conj *tokens* token)))

 (def sax-handler
   (proxy [DefaultHandler] []
          (startElement [uri local-name q-name attrs]
                        (flush-text)
                        (add-token …))
          … ))

 (defn tokenize-xml
   [src]
   (binding [*tokens* []]
            (let [factory (SAXParserFactory/newInstance)]
                 (.setNamespaceAware factory true)
                 (.. factory newSAXParser (parse src sax-handler))
                 *tokens*)))




                                                           © 2009 Formos Software Development
Everything's a Var!




                                              Function


      Namespace                         Var      Value


                                                     ...
                  Symbol such as x or
                  map




                                              © 2009 Formos Software Development
Functions are stored in Vars


   user=> (defn say-hello [] (println "Hello"))
   #'user/say-hello
   user=> (say-hello)
   Hello
   nil
   user=> (binding [say-hello #(println "Goodbye")] (say-hello))
   Goodbye
   nil
   user=> (say-hello)
   Hello
   nil
   user=>




                                                          © 2009 Formos Software Development
Agents — Single Thread Writes


user=> (def savings (agent 1000.))
#=(var user/savings)
user=> (def checking (agent 2000.))
#=(var user/checking)
user=> @savings
1000
user=> @checking
2000
user=> (send savings - 300.)
#<clojure.lang.Agent@c3233b>
user=> (send checking + 300.)
#<clojure.lang.Agent@67e5a7>
user=> @savings
700
user=> @checking
2300                      •Asynchonous
                         •Single threaded
                         •Non-transactional



                                              © 2009 Formos Software Development
Refs — Software Transactional Memory
 (def savings (ref 1000.))
 (def checking (ref 2000.))
 (def mm (ref 7000.))

 (defn transfer
   "Transaction to transfer money from one account to another."
   [from to amount]
   (dosync
    (alter from - amount)
    (alter to + amount)))

(transfer checking savings 500.)                (transfer mm checking 300.)

    user=> @checking
    2000
    user=> @savings
    1000
    user=> (transfer checking savings 500.)
    1500
    user=> @checking
    1500
    user=> @savings
    1500
    user=> (ref-set savings 2000.)
    java.lang.IllegalStateException: No transaction running (NO_SOURCE_FILE:0)



                                                                       © 2009 Formos Software Development
Concurrency Notes
• All reference types can have a validator
  function


• All refs can have a watcher: an agent notified
  of changes


• (send) inside (dosync) waits until successful
  completion


• No guarantees when calling Java objects




                                                  © 2009 Formos Software Development
❝The key to performance is elegance,
not battalions of special cases.❞




Jon Bentley and Doug McIlroy
                               © 2009 Formos Software Development
Wrap Up

          © 2009 Formos Software Development
Clojure
• 1.0 release: May 4 2009


• Simple, regular syntax


• Improves on Lisp: vectors, maps, sets


• Fully integrates with Java
                                                http://www.clojure.org
• Impressive functional & concurrency support


• Many features not covered here




                                                           © 2009 Formos Software Development
Stuart Halloway

                             Pragmatic Bookshelf




http://pragprog.com/titles/shcloj/programming-clojure
                                           © 2009 Formos Software Development
http://jnb.ociweb.com/jnb/jnbMar2009.html




                                   © 2009 Formos Software Development
Object Oriented




                  © 2009 Formos Software Development
Functional




             © 2009 Formos Software Development
Picture Credits
   © 2007 Jon Fife
   http://flickr.com/photos/good-karma/577632972/

                                                        © 2008 Marcin Wichary
                                http://flickr.com/photos/mwichary/2222776430/

   © 2007 James Manners
   http://flickr.com/photos/jmanners/443421045/

                                                           © 2008 Daniel Chan
                             http://flickr.com/photos/chanchan222/2847443980/

   © 2005 Jack Keene
   http://www.flickr.com/photos/whatknot/3118124/


                                                              © A. Lipson 2003
                             http://www.andrewlipson.com/escher/relativity.html


   © 2007 Alan Chia
   http://flickr.com/photos/seven13avenue/2080281038/

                                                  © 2007 Woodley Wonderworks
                                 http://flickr.com/photos/wwworks/2222523486/



                                                                       © 2009 Formos Software Development

Weitere ähnliche Inhalte

Was ist angesagt?

Jython: Python para la plataforma Java (EL2009)
Jython: Python para la plataforma Java (EL2009)Jython: Python para la plataforma Java (EL2009)
Jython: Python para la plataforma Java (EL2009)Leonardo Soto
 
RxSwift 시작하기
RxSwift 시작하기RxSwift 시작하기
RxSwift 시작하기Suyeol Jeon
 
Jython: Python para la plataforma Java (JRSL 09)
Jython: Python para la plataforma Java (JRSL 09)Jython: Python para la plataforma Java (JRSL 09)
Jython: Python para la plataforma Java (JRSL 09)Leonardo Soto
 
About java
About javaAbout java
About javaJay Xu
 
Hacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen Chin
Hacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen ChinHacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen Chin
Hacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen Chinjaxconf
 
Beyond Breakpoints: Advanced Debugging with XCode
Beyond Breakpoints: Advanced Debugging with XCodeBeyond Breakpoints: Advanced Debugging with XCode
Beyond Breakpoints: Advanced Debugging with XCodeAijaz Ansari
 
ScalaDays 2014 - Reactive Scala 3D Game Engine
ScalaDays 2014 - Reactive Scala 3D Game Engine ScalaDays 2014 - Reactive Scala 3D Game Engine
ScalaDays 2014 - Reactive Scala 3D Game Engine Aleksandar Prokopec
 
The Ring programming language version 1.6 book - Part 46 of 189
The Ring programming language version 1.6 book - Part 46 of 189The Ring programming language version 1.6 book - Part 46 of 189
The Ring programming language version 1.6 book - Part 46 of 189Mahmoud Samir Fayed
 
Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기
Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기
Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기Suyeol Jeon
 
Introduction to Python
Introduction to PythonIntroduction to Python
Introduction to PythonUC San Diego
 
Planet-HTML5-Game-Engine Javascript Performance Enhancement
Planet-HTML5-Game-Engine Javascript Performance EnhancementPlanet-HTML5-Game-Engine Javascript Performance Enhancement
Planet-HTML5-Game-Engine Javascript Performance Enhancementup2soul
 
Clojure: Towards The Essence of Programming
Clojure: Towards The Essence of ProgrammingClojure: Towards The Essence of Programming
Clojure: Towards The Essence of ProgrammingHoward Lewis Ship
 
Java FX 2.0 - A Developer's Guide
Java FX 2.0 - A Developer's GuideJava FX 2.0 - A Developer's Guide
Java FX 2.0 - A Developer's GuideStephen Chin
 
Pragmatic Real-World Scala (short version)
Pragmatic Real-World Scala (short version)Pragmatic Real-World Scala (short version)
Pragmatic Real-World Scala (short version)Jonas Bonér
 
Functional Programming with Groovy
Functional Programming with GroovyFunctional Programming with Groovy
Functional Programming with GroovyArturo Herrero
 
JavaFX Your Way: Building JavaFX Applications with Alternative Languages
JavaFX Your Way: Building JavaFX Applications with Alternative LanguagesJavaFX Your Way: Building JavaFX Applications with Alternative Languages
JavaFX Your Way: Building JavaFX Applications with Alternative LanguagesStephen Chin
 
Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)
Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)
Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)Howard Lewis Ship
 
Programming Lisp Clojure - 2장 : 클로저 둘러보기
Programming Lisp Clojure - 2장 : 클로저 둘러보기Programming Lisp Clojure - 2장 : 클로저 둘러보기
Programming Lisp Clojure - 2장 : 클로저 둘러보기JangHyuk You
 

Was ist angesagt? (20)

Jython: Python para la plataforma Java (EL2009)
Jython: Python para la plataforma Java (EL2009)Jython: Python para la plataforma Java (EL2009)
Jython: Python para la plataforma Java (EL2009)
 
RxSwift 시작하기
RxSwift 시작하기RxSwift 시작하기
RxSwift 시작하기
 
Jython: Python para la plataforma Java (JRSL 09)
Jython: Python para la plataforma Java (JRSL 09)Jython: Python para la plataforma Java (JRSL 09)
Jython: Python para la plataforma Java (JRSL 09)
 
About java
About javaAbout java
About java
 
Hacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen Chin
Hacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen ChinHacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen Chin
Hacking JavaFX with Groovy, Clojure, Scala, and Visage: Stephen Chin
 
Beyond Breakpoints: Advanced Debugging with XCode
Beyond Breakpoints: Advanced Debugging with XCodeBeyond Breakpoints: Advanced Debugging with XCode
Beyond Breakpoints: Advanced Debugging with XCode
 
ScalaDays 2014 - Reactive Scala 3D Game Engine
ScalaDays 2014 - Reactive Scala 3D Game Engine ScalaDays 2014 - Reactive Scala 3D Game Engine
ScalaDays 2014 - Reactive Scala 3D Game Engine
 
The Ring programming language version 1.6 book - Part 46 of 189
The Ring programming language version 1.6 book - Part 46 of 189The Ring programming language version 1.6 book - Part 46 of 189
The Ring programming language version 1.6 book - Part 46 of 189
 
Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기
Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기
Swift - 혼자 공부하면 분명히 안할테니까 같이 공부하기
 
Introduction to Python
Introduction to PythonIntroduction to Python
Introduction to Python
 
Spock and Geb in Action
Spock and Geb in ActionSpock and Geb in Action
Spock and Geb in Action
 
Planet-HTML5-Game-Engine Javascript Performance Enhancement
Planet-HTML5-Game-Engine Javascript Performance EnhancementPlanet-HTML5-Game-Engine Javascript Performance Enhancement
Planet-HTML5-Game-Engine Javascript Performance Enhancement
 
Clojure: Towards The Essence of Programming
Clojure: Towards The Essence of ProgrammingClojure: Towards The Essence of Programming
Clojure: Towards The Essence of Programming
 
Java FX 2.0 - A Developer's Guide
Java FX 2.0 - A Developer's GuideJava FX 2.0 - A Developer's Guide
Java FX 2.0 - A Developer's Guide
 
Pragmatic Real-World Scala (short version)
Pragmatic Real-World Scala (short version)Pragmatic Real-World Scala (short version)
Pragmatic Real-World Scala (short version)
 
Functional Programming with Groovy
Functional Programming with GroovyFunctional Programming with Groovy
Functional Programming with Groovy
 
JavaFX Your Way: Building JavaFX Applications with Alternative Languages
JavaFX Your Way: Building JavaFX Applications with Alternative LanguagesJavaFX Your Way: Building JavaFX Applications with Alternative Languages
JavaFX Your Way: Building JavaFX Applications with Alternative Languages
 
Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)
Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)
Clojure: Towards The Essence Of Programming (What's Next? Conference, May 2011)
 
Programming Lisp Clojure - 2장 : 클로저 둘러보기
Programming Lisp Clojure - 2장 : 클로저 둘러보기Programming Lisp Clojure - 2장 : 클로저 둘러보기
Programming Lisp Clojure - 2장 : 클로저 둘러보기
 
Scala in practice
Scala in practiceScala in practice
Scala in practice
 

Ähnlich wie Clojure: Functional Concurrency for the JVM (presented at OSCON)

Elixir & Phoenix - fast, concurrent and explicit
Elixir & Phoenix - fast, concurrent and explicitElixir & Phoenix - fast, concurrent and explicit
Elixir & Phoenix - fast, concurrent and explicitTobias Pfeiffer
 
From Java To Clojure (English version)
From Java To Clojure (English version)From Java To Clojure (English version)
From Java To Clojure (English version)Kent Ohashi
 
Clojure - A new Lisp
Clojure - A new LispClojure - A new Lisp
Clojure - A new Lispelliando dias
 
2011 py con
2011 py con2011 py con
2011 py conEing Ong
 
Clojure and Modularity
Clojure and ModularityClojure and Modularity
Clojure and Modularityelliando dias
 
Exploring Clojurescript
Exploring ClojurescriptExploring Clojurescript
Exploring ClojurescriptLuke Donnet
 
Re-Design with Elixir/OTP
Re-Design with Elixir/OTPRe-Design with Elixir/OTP
Re-Design with Elixir/OTPMustafa TURAN
 
Advanced Python, Part 1
Advanced Python, Part 1Advanced Python, Part 1
Advanced Python, Part 1Zaar Hai
 
Phoenix for laravel developers
Phoenix for laravel developersPhoenix for laravel developers
Phoenix for laravel developersLuiz Messias
 
JavaScript Growing Up
JavaScript Growing UpJavaScript Growing Up
JavaScript Growing UpDavid Padbury
 
ClojureScript loves React, DomCode May 26 2015
ClojureScript loves React, DomCode May 26 2015ClojureScript loves React, DomCode May 26 2015
ClojureScript loves React, DomCode May 26 2015Michiel Borkent
 
GR8Conf 2009: What's New in Groovy 1.6? by Guillaume Laforge
GR8Conf 2009: What's New in Groovy 1.6? by Guillaume LaforgeGR8Conf 2009: What's New in Groovy 1.6? by Guillaume Laforge
GR8Conf 2009: What's New in Groovy 1.6? by Guillaume LaforgeGR8Conf
 
Clojure Intro
Clojure IntroClojure Intro
Clojure Introthnetos
 
JRuby + Rails = Awesome Java Web Framework at Jfokus 2011
JRuby + Rails = Awesome Java Web Framework at Jfokus 2011JRuby + Rails = Awesome Java Web Framework at Jfokus 2011
JRuby + Rails = Awesome Java Web Framework at Jfokus 2011Nick Sieger
 
Why Every Tester Should Learn Ruby
Why Every Tester Should Learn RubyWhy Every Tester Should Learn Ruby
Why Every Tester Should Learn RubyRaimonds Simanovskis
 
(map Clojure everyday-tasks)
(map Clojure everyday-tasks)(map Clojure everyday-tasks)
(map Clojure everyday-tasks)Jacek Laskowski
 
TypeScript for Java Developers
TypeScript for Java DevelopersTypeScript for Java Developers
TypeScript for Java DevelopersYakov Fain
 
Groovy Introduction - JAX Germany - 2008
Groovy Introduction - JAX Germany - 2008Groovy Introduction - JAX Germany - 2008
Groovy Introduction - JAX Germany - 2008Guillaume Laforge
 

Ähnlich wie Clojure: Functional Concurrency for the JVM (presented at OSCON) (20)

Elixir & Phoenix - fast, concurrent and explicit
Elixir & Phoenix - fast, concurrent and explicitElixir & Phoenix - fast, concurrent and explicit
Elixir & Phoenix - fast, concurrent and explicit
 
From Java To Clojure (English version)
From Java To Clojure (English version)From Java To Clojure (English version)
From Java To Clojure (English version)
 
Clojure - A new Lisp
Clojure - A new LispClojure - A new Lisp
Clojure - A new Lisp
 
2011 py con
2011 py con2011 py con
2011 py con
 
Clojure and Modularity
Clojure and ModularityClojure and Modularity
Clojure and Modularity
 
Clojure And Swing
Clojure And SwingClojure And Swing
Clojure And Swing
 
Exploring Clojurescript
Exploring ClojurescriptExploring Clojurescript
Exploring Clojurescript
 
Re-Design with Elixir/OTP
Re-Design with Elixir/OTPRe-Design with Elixir/OTP
Re-Design with Elixir/OTP
 
Advanced Python, Part 1
Advanced Python, Part 1Advanced Python, Part 1
Advanced Python, Part 1
 
Phoenix for laravel developers
Phoenix for laravel developersPhoenix for laravel developers
Phoenix for laravel developers
 
JavaScript Growing Up
JavaScript Growing UpJavaScript Growing Up
JavaScript Growing Up
 
ClojureScript loves React, DomCode May 26 2015
ClojureScript loves React, DomCode May 26 2015ClojureScript loves React, DomCode May 26 2015
ClojureScript loves React, DomCode May 26 2015
 
GR8Conf 2009: What's New in Groovy 1.6? by Guillaume Laforge
GR8Conf 2009: What's New in Groovy 1.6? by Guillaume LaforgeGR8Conf 2009: What's New in Groovy 1.6? by Guillaume Laforge
GR8Conf 2009: What's New in Groovy 1.6? by Guillaume Laforge
 
Clojure Intro
Clojure IntroClojure Intro
Clojure Intro
 
JRuby + Rails = Awesome Java Web Framework at Jfokus 2011
JRuby + Rails = Awesome Java Web Framework at Jfokus 2011JRuby + Rails = Awesome Java Web Framework at Jfokus 2011
JRuby + Rails = Awesome Java Web Framework at Jfokus 2011
 
Why Every Tester Should Learn Ruby
Why Every Tester Should Learn RubyWhy Every Tester Should Learn Ruby
Why Every Tester Should Learn Ruby
 
(map Clojure everyday-tasks)
(map Clojure everyday-tasks)(map Clojure everyday-tasks)
(map Clojure everyday-tasks)
 
Introduction to Groovy
Introduction to GroovyIntroduction to Groovy
Introduction to Groovy
 
TypeScript for Java Developers
TypeScript for Java DevelopersTypeScript for Java Developers
TypeScript for Java Developers
 
Groovy Introduction - JAX Germany - 2008
Groovy Introduction - JAX Germany - 2008Groovy Introduction - JAX Germany - 2008
Groovy Introduction - JAX Germany - 2008
 

Mehr von Howard Lewis Ship

Testing Web Applications with GEB
Testing Web Applications with GEBTesting Web Applications with GEB
Testing Web Applications with GEBHoward Lewis Ship
 
Spock: A Highly Logical Way To Test
Spock: A Highly Logical Way To TestSpock: A Highly Logical Way To Test
Spock: A Highly Logical Way To TestHoward Lewis Ship
 
Backbone.js: Run your Application Inside The Browser
Backbone.js: Run your Application Inside The BrowserBackbone.js: Run your Application Inside The Browser
Backbone.js: Run your Application Inside The BrowserHoward Lewis Ship
 
Modern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter BootstrapModern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter BootstrapHoward Lewis Ship
 
Have Your Cake and Eat It Too: Meta-Programming Techniques for Java
Have Your Cake and Eat It Too: Meta-Programming Techniques for JavaHave Your Cake and Eat It Too: Meta-Programming Techniques for Java
Have Your Cake and Eat It Too: Meta-Programming Techniques for JavaHoward Lewis Ship
 
Arduino: Open Source Hardware Hacking from the Software Nerd Perspective
Arduino: Open Source Hardware Hacking from the Software Nerd PerspectiveArduino: Open Source Hardware Hacking from the Software Nerd Perspective
Arduino: Open Source Hardware Hacking from the Software Nerd PerspectiveHoward Lewis Ship
 
Practical Clojure Programming
Practical Clojure ProgrammingPractical Clojure Programming
Practical Clojure ProgrammingHoward Lewis Ship
 
Tapestry 5: Java Power, Scripting Ease
Tapestry 5: Java Power, Scripting EaseTapestry 5: Java Power, Scripting Ease
Tapestry 5: Java Power, Scripting EaseHoward Lewis Ship
 
Brew up a Rich Web Application with Cappuccino
Brew up a Rich Web Application with CappuccinoBrew up a Rich Web Application with Cappuccino
Brew up a Rich Web Application with CappuccinoHoward Lewis Ship
 
Tapestry: State of the Union
Tapestry: State of the UnionTapestry: State of the Union
Tapestry: State of the UnionHoward Lewis Ship
 

Mehr von Howard Lewis Ship (13)

Testing Web Applications with GEB
Testing Web Applications with GEBTesting Web Applications with GEB
Testing Web Applications with GEB
 
Spock: A Highly Logical Way To Test
Spock: A Highly Logical Way To TestSpock: A Highly Logical Way To Test
Spock: A Highly Logical Way To Test
 
Backbone.js: Run your Application Inside The Browser
Backbone.js: Run your Application Inside The BrowserBackbone.js: Run your Application Inside The Browser
Backbone.js: Run your Application Inside The Browser
 
Modern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter BootstrapModern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter Bootstrap
 
Have Your Cake and Eat It Too: Meta-Programming Techniques for Java
Have Your Cake and Eat It Too: Meta-Programming Techniques for JavaHave Your Cake and Eat It Too: Meta-Programming Techniques for Java
Have Your Cake and Eat It Too: Meta-Programming Techniques for Java
 
Arduino: Open Source Hardware Hacking from the Software Nerd Perspective
Arduino: Open Source Hardware Hacking from the Software Nerd PerspectiveArduino: Open Source Hardware Hacking from the Software Nerd Perspective
Arduino: Open Source Hardware Hacking from the Software Nerd Perspective
 
Practical Clojure Programming
Practical Clojure ProgrammingPractical Clojure Programming
Practical Clojure Programming
 
Codemash-Tapestry.pdf
Codemash-Tapestry.pdfCodemash-Tapestry.pdf
Codemash-Tapestry.pdf
 
Tapestry 5: Java Power, Scripting Ease
Tapestry 5: Java Power, Scripting EaseTapestry 5: Java Power, Scripting Ease
Tapestry 5: Java Power, Scripting Ease
 
Brew up a Rich Web Application with Cappuccino
Brew up a Rich Web Application with CappuccinoBrew up a Rich Web Application with Cappuccino
Brew up a Rich Web Application with Cappuccino
 
Clojure Deep Dive
Clojure Deep DiveClojure Deep Dive
Clojure Deep Dive
 
Cascade
CascadeCascade
Cascade
 
Tapestry: State of the Union
Tapestry: State of the UnionTapestry: State of the Union
Tapestry: State of the Union
 

Kürzlich hochgeladen

New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
Vector Databases 101 - An introduction to the world of Vector Databases
Vector Databases 101 - An introduction to the world of Vector DatabasesVector Databases 101 - An introduction to the world of Vector Databases
Vector Databases 101 - An introduction to the world of Vector DatabasesZilliz
 
Install Stable Diffusion in windows machine
Install Stable Diffusion in windows machineInstall Stable Diffusion in windows machine
Install Stable Diffusion in windows machinePadma Pradeep
 
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmaticsKotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmaticscarlostorres15106
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenHervé Boutemy
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsSergiu Bodiu
 
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfRankYa
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek SchlawackFwdays
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfAddepto
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 3652toLead Limited
 
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage CostLeverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage CostZilliz
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupFlorian Wilhelm
 
"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii Soldatenko"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii SoldatenkoFwdays
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):comworks
 
SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024Lorenzo Miniero
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Mark Simos
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfAlex Barbosa Coqueiro
 
Beyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry InnovationBeyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry InnovationSafe Software
 

Kürzlich hochgeladen (20)

New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
Vector Databases 101 - An introduction to the world of Vector Databases
Vector Databases 101 - An introduction to the world of Vector DatabasesVector Databases 101 - An introduction to the world of Vector Databases
Vector Databases 101 - An introduction to the world of Vector Databases
 
Install Stable Diffusion in windows machine
Install Stable Diffusion in windows machineInstall Stable Diffusion in windows machine
Install Stable Diffusion in windows machine
 
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmaticsKotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
Kotlin Multiplatform & Compose Multiplatform - Starter kit for pragmatics
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache Maven
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platforms
 
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptxE-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdf
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdf
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365
 
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage CostLeverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
Leverage Zilliz Serverless - Up to 50X Saving for Your Vector Storage Cost
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project Setup
 
"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii Soldatenko"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii Soldatenko
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):
 
SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdf
 
Beyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry InnovationBeyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
 

Clojure: Functional Concurrency for the JVM (presented at OSCON)

  • 1. Clojure: Functional Concurrency for the JVM Howard M. Lewis Ship Director of Open Source Technology Formos Software Development howard.lewis.ship@formos.com © 2009 Formos Software Development
  • 2. http://xkcd.com/297/ Clojure: The Language © 2009 Formos Software Development
  • 3. Rich Hickey © 2009 Formos Software Development
  • 4. Code is Data Quoted list of '(1 2 3) numbers (biggest 5 42) Function call Function definition (defn biggest "Find the maximum of two numbers" [x y] (if (> x y) x y)) © 2009 Formos Software Development
  • 5. Read Eval Print Loop user=> (defn biggest "Find the maximum of two numbers" [x y] (if (> x y) x y)) #=(var user/biggest) user=> (biggest 5 42) 42 user=> (doc biggest) ------------------------- user/biggest ([x y]) Find the maximum of two numbers nil user=> '(1 2 3) (1 2 3) user=> '(biggest 5 42) (biggest 5 42) user=> (first '(biggest 5 42)) biggest user=> (eval '(biggest 5 42)) 42 © 2009 Formos Software Development
  • 6. There Is No Interpreter Source Code Repl Input Clojure User Classes Java Evaluator Compiler Clojure Source Files Java Libraries JVM Operating System © 2009 Formos Software Development
  • 7. Clojure Literals user=> 42 42 user=> "A Clojure String" "A Clojure String" user=> nil nil user=> :balance :balance user=> true true user=> false false © 2009 Formos Software Development
  • 8. Clojure Literals user=> 5 5 user=> 5.001 5.001 user=> 22/7 22/7 user=> (* 2 22/7) 44/7 user=> (* 100000 100000 100000) 1000000000000000 user=> (+ 5. 0.000000000000000001) 5.0 user=> (+ 5.0M 0.000000000000000001M) 5.000000000000000001M © 2009 Formos Software Development
  • 9. Java Interop factory.setNamespaceAware(true) (.setNamespaceAware factory true) new StringBuffer() (new StringBuffer) (StringBuffer.) factory.newSAXParser().parse(src, handler) (.. factory newSAXParser (parse src handler)) myObject.ivar = "foo"; (set! (. myObject ivar) "foo") © 2009 Formos Software Development
  • 10. Java Interop frame = new JFrame(); frame.add(panel, BorderLayout.CENTER); frame.add(greetButton, BorderLayout.SOUTH); frame.pack(); frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); frame.setVisible(true); (doto (JFrame.) (.add panel BorderLayout/CENTER) (.add greet-button BorderLayout/SOUTH) (.pack) (.setDefaultCloseOperation JFrame/EXIT_ON_CLOSE) (.setVisible true)) © 2009 Formos Software Development
  • 11. Clojure Collections: Lists 4 lst user=> (def lst `(1 2 3)) #=(var user/lst) user=> lst (1 2 3) user=> (first lst) 1 1 user=> (rest lst) (2 3) user=> (conj lst 4) 2 (4 1 2 3) user=> (cons 4 lst) (4 1 2 3) 3 © 2009 Formos Software Development
  • 12. Clojure Collections: Vectors user=> (def v [:moe :larry :curly]) #=(var user/v) user=> v [:moe :larry :curly] user=> (first v) :moe user=> (rest v) (:larry :curly) user=> (conj v :shemp) [:moe :larry :curly :shemp] user=> (cons :shemp v) (:shemp :moe :larry :curly) user=> v [:moe :larry :curly] user=> (v 1) :larry vector is a function of its indexes © 2009 Formos Software Development
  • 13. Clojure Collections: Map user=> (def m {:first-name "Howard" :last-name "Lewis Ship"}) #=(var user/m) user=> m {:last-name "Lewis Ship", :first-name "Howard"} user=> (get m :last-name) "Lewis Ship" map is a user=> (m :last-name) function of "Lewis Ship" user=> (assoc m :company "Formos") its keys {:company "Formos", :last-name "Lewis Ship", :first-name "Howard"} user=> m {:last-name "Lewis Ship", :first-name "Howard"} user=> (:first-name m) "Howard" user=> (:ssn m) nil Keywords are functions, too! © 2009 Formos Software Development
  • 14. Clojure Collections: Sets user=> (def s #{"Howard" "Suzanne" "Molly" "Jim"}) #=(var user/s) user=> s #{"Howard" "Jim" "Molly" "Suzanne"} user=> (contains? s "Howard") true user=> (contains? s "howard") false set is a user=> (s "Howard") function of "Howard" its elements user=> (s "Rhys") nil user=> (conj s "Howard") #{"Howard" "Jim" "Molly" "Suzanne"} user=> (conj s "Scott") #{"Howard" "Jim" "Molly" "Suzanne" "Scott"} © 2009 Formos Software Development
  • 15. ❝For alumni of other languages, beginning to use Lisp may be like stepping onto a skating rink for the first time. It’s actually much easier to get around on ice than it is on dry land—if you use skates. Till then you will be left wondering what people see in this sport.❞ Paul Graham © 2009 Formos Software Development
  • 16. Functional Programming © 2009 Formos Software Development
  • 17. No Mutable State© 2009 Formos Software Development
  • 18. No Side Effects © 2009 Formos Software Development
  • 19. First Class Functions © 2009 Formos Software Development
  • 20. Functional Composition © 2009 Formos Software Development
  • 21. Functional Programming in Java public void saveOrUpdate(final Employee employee) { HibernateCallback callback = new HibernateCallback() { public Object doInHibernate(Session session) throws HibernateException,SQLException { session.saveOrUpdate(employee); return null; } }; hibernateTemplate.execute(callback); } Outer function controls the SwingUtilities.invokeLater(new Runnable() context: { public void run() • Thread { • Exception handling progressBar.setValue(progressBar.getValue() + 1); } • Parameters }); © 2009 Formos Software Development
  • 22. Functional Java Collections public interface Predicate<T> { boolean accept(T value); } public static <T> Collection<T> filter(Predicate<T> pred, Collection<T> coll) { Collection<T> out = new ArrayList<T>(); for (T item : coll) { if (pred.accept(item)) out.add(item); } return out; } return CollectionUtils.filter(new Predicate<String>() { public boolean accept(String value) { return !value.startsWith("."); } }, names); © 2009 Formos Software Development
  • 23. Functional Clojure Collections Function Anonymous parameter function (filter #(not (.startsWith % ".")) names) Member access form user=> (def names ["fred" "barney" ".hidden" "wilma"]) #=(var user/names) user=> (filter #(not (.startsWith % ".")) names) ("fred" "barney" "wilma") user=> (remove #(.startsWith % ".") names) ("fred" "barney" "wilma") user=> © 2009 Formos Software Development
  • 24. First Class Functions (filter #(not (.startsWith % ".")) names) function as parameter to function (defn require-extension [ext] (fn [file-name] (= ext (last (split-string file-name "."))))) function as return value (defn filter-by-extension [ext coll] (filter (require-extension ext) coll)) composing functions © 2009 Formos Software Development
  • 25. Life without the for loop public static int sum(int[] vals) { int total = 0; col for (int val : vals) total += val; return total; } x y (defn sum z [col] (reduce + 0 col)) ➠ 0 + col[0] + col[1] + col[2] ... © 2009 Formos Software Development
  • 26. Life without the for loop public static String[] formatDoubles(double[] inputs) { String[] output = new String[inputs.length]; for (int i = 0; i < input.length; i++) output[i] = String.format("%9.2f", inputs[i]); return output; } (defn format-doubles f [col] (map #(format "%9.2f" %) col)) f Apply function to each item, forming f new seq user=> (format-doubles '(2.5 3.7 -22.7)) (" 2.50" " 3.70" " -22.70") © 2009 Formos Software Development
  • 27. for: list comprehension user=> (range 0 5) (0 1 2 3 4) user=> (for [x (range 0 10) :when (even? x)] x) (0 2 4 6 8) user=> user=> (for [suit [:heart :spade :diamond :club] rank [:ace 2 3 4]] [suit rank]) ([:heart :ace] [:heart 2] [:heart 3] [:heart 4] [:spade :ace] [:spade 2] [:spade 3] [:spade 4] [:diamond :ace] [:diamond 2] [:diamond 3] [:diamond 4] [:club :ace] [:club 2] [:club 3] [:club 4]) user=> user=> (for [x (range 1 5) y (range 0 x)] [x y]) ([1 0] [2 0] [2 1] [3 0] [3 1] [3 2] [4 0] [4 1] [4 2] [4 3]) user=> © 2009 Formos Software Development
  • 28. Laziness is a Virtue user=> (take 20 (iterate inc 1)) (1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20) user=> (take 20 (map * (iterate inc 1) (iterate inc 1))) (1 4 9 16 25 36 49 64 81 100 121 144 169 196 225 256 289 324 361 400) © 2009 Formos Software Development
  • 29. Laziness © 2009 Formos Software Development
  • 30. Java: Data Encapsulated in Objects Person Person Person Person firstName: "Howard" firstName: "Scott" firstName: "Molly" firstName: "David" lastName: "Lewis Ship" lastName: "Simon" lastName: "Newman" lastName: "Goldman" age: 42 age: 44 age: 29 age: 42 public double averageAge(Collection<Person> persons) { double total = 0.0; for (Person p : persons) total += p.getAge(); return total / persons.size(); } © 2009 Formos Software Development
  • 31. Clojure: Data in Transformable Collections :first-name Howard :first-name Scott :first-name Molly { :last-name Lewis Ship } { :last-name Simon }{ :last-name Newman } :age 42 :age 44 :age 29 user=> persons [{:first-name "Howard", :last-name "Lewis Ship", :age 42} {:first-name "Scott", :last-name "Simon", :age 44} {:first-name "Molly", :last-name "Newman", :age 29}] user=> (map :age persons) (42 44 29) user=> (apply + (map :age persons)) 115 user=> (defn avg-age [coll] (/ (apply + (map :age coll)) (count coll))) (defn avg (defn avg-age [f coll] [coll] (/ (apply + (map f coll))) (count coll))) (avg :age coll)) (avg #(count (:last-name %)) persons) © 2009 Formos Software Development
  • 32. ❝Somehow the idea of reusability got attached to object-oriented programming in the 1980s, and no amount of evidence to the contrary seems to be able to shake it free.❞ Paul Graham © 2009 Formos Software Development
  • 33. Clojure Concurrency © 2009 Formos Software Development
  • 34. Solving Deadlocks: Timeout & Retry © 2009 Formos Software Development
  • 35. Solving Deadlocks: Specific Lock Order © 2009 Formos Software Development
  • 36. Solving Deadlocks: Coarse Locks © 2009 Formos Software Development
  • 37. Locks are the Enemy © 2009 Formos Software Development
  • 38. Clojure: Software Transactional Memory (def savings (ref 1000.)) (def checking (ref 2000.)) (def mm (ref 7000.)) (defn transfer "Transaction to transfer money from one account to another." [from to amount] (dosync (alter from - amount) (alter to + amount))) (transfer checking savings 500.) (transfer mm checking 300.) - 500. + 500. - 300. + 300. Checking 1000. 500. 500. Savings 2000. 2500. 2800. 2800. MM 7000. 6700. 6700. © 2009 Formos Software Development
  • 39. Retries: Transactions Are Speculative (def savings (ref 1000.)) (def checking (ref 2000.)) (def mm (ref 7000.)) (defn transfer "Transaction to transfer money from one account to another." [from to amount] (dosync (alter from - amount) (alter to + amount))) (transfer checking savings 500.) (transfer mm checking 300.) + 300. - 500. - 300. + 500. - 300. + 300. Checking 1000. 500. X 500. Savings 2000. 2500. 2300. 2500. 2800. 2800. MM 7000. 6700. 7000. 6700. 6700. © 2009 Formos Software Development
  • 40. No Blocking © 2009 Formos Software Development
  • 41. No Locks © 2009 Formos Software Development
  • 42. Persistent Collections © 2009 Formos Software Development
  • 43. Managing Mutation • What can change? • Reference types: atom, var, agent, ref • When can they change? • When are changes visible to other threads? © 2009 Formos Software Development
  • 44. Atoms • Shared, Global • Changes are atomic, synchronous, & non-blocking • (swap!): Pass value to function yielding new value • (reset!): Force new value, regardless of existing value user=> (def queue (atom [])) #'user/queue user=> @queue [] user=> (swap! queue conj {:parse "http://www.clojure.org/"}) [{:parse "http://www.clojure.org/"}] user=> @queue [{:parse "http://www.clojure.org/"}] user=> (reset! queue []) [] user=> @queue [] user=> © 2009 Formos Software Development
  • 45. Vars — Per-Thread Mutables • (def) sets global binding • (binding) to set up a per-thread override • (set!) if per-thread binding user=> (def x 1) #=(var user/x) user=> x 1 user=> (defn manipulate-x [] (binding [x 2] (printf "Local x is %d" x) (set! x 3) (printf "nLocal x is now %dn" x))) #=(var user/manipulate-x) user=> (.run (Thread. manipulate-x)) Local x is 2 Local x is now 3 nil user=> x 1 © 2009 Formos Software Development
  • 46. Interfacing with Java APIs (def *tokens*) (defn add-token [token] (set! *tokens* (conj *tokens* token))) (def sax-handler (proxy [DefaultHandler] [] (startElement [uri local-name q-name attrs] (flush-text) (add-token …)) … )) (defn tokenize-xml [src] (binding [*tokens* []] (let [factory (SAXParserFactory/newInstance)] (.setNamespaceAware factory true) (.. factory newSAXParser (parse src sax-handler)) *tokens*))) © 2009 Formos Software Development
  • 47. Everything's a Var! Function Namespace Var Value ... Symbol such as x or map © 2009 Formos Software Development
  • 48. Functions are stored in Vars user=> (defn say-hello [] (println "Hello")) #'user/say-hello user=> (say-hello) Hello nil user=> (binding [say-hello #(println "Goodbye")] (say-hello)) Goodbye nil user=> (say-hello) Hello nil user=> © 2009 Formos Software Development
  • 49. Agents — Single Thread Writes user=> (def savings (agent 1000.)) #=(var user/savings) user=> (def checking (agent 2000.)) #=(var user/checking) user=> @savings 1000 user=> @checking 2000 user=> (send savings - 300.) #<clojure.lang.Agent@c3233b> user=> (send checking + 300.) #<clojure.lang.Agent@67e5a7> user=> @savings 700 user=> @checking 2300 •Asynchonous •Single threaded •Non-transactional © 2009 Formos Software Development
  • 50. Refs — Software Transactional Memory (def savings (ref 1000.)) (def checking (ref 2000.)) (def mm (ref 7000.)) (defn transfer "Transaction to transfer money from one account to another." [from to amount] (dosync (alter from - amount) (alter to + amount))) (transfer checking savings 500.) (transfer mm checking 300.) user=> @checking 2000 user=> @savings 1000 user=> (transfer checking savings 500.) 1500 user=> @checking 1500 user=> @savings 1500 user=> (ref-set savings 2000.) java.lang.IllegalStateException: No transaction running (NO_SOURCE_FILE:0) © 2009 Formos Software Development
  • 51. Concurrency Notes • All reference types can have a validator function • All refs can have a watcher: an agent notified of changes • (send) inside (dosync) waits until successful completion • No guarantees when calling Java objects © 2009 Formos Software Development
  • 52. ❝The key to performance is elegance, not battalions of special cases.❞ Jon Bentley and Doug McIlroy © 2009 Formos Software Development
  • 53. Wrap Up © 2009 Formos Software Development
  • 54. Clojure • 1.0 release: May 4 2009 • Simple, regular syntax • Improves on Lisp: vectors, maps, sets • Fully integrates with Java http://www.clojure.org • Impressive functional & concurrency support • Many features not covered here © 2009 Formos Software Development
  • 55. Stuart Halloway Pragmatic Bookshelf http://pragprog.com/titles/shcloj/programming-clojure © 2009 Formos Software Development
  • 56. http://jnb.ociweb.com/jnb/jnbMar2009.html © 2009 Formos Software Development
  • 57. Object Oriented © 2009 Formos Software Development
  • 58. Functional © 2009 Formos Software Development
  • 59. Picture Credits © 2007 Jon Fife http://flickr.com/photos/good-karma/577632972/ © 2008 Marcin Wichary http://flickr.com/photos/mwichary/2222776430/ © 2007 James Manners http://flickr.com/photos/jmanners/443421045/ © 2008 Daniel Chan http://flickr.com/photos/chanchan222/2847443980/ © 2005 Jack Keene http://www.flickr.com/photos/whatknot/3118124/ © A. Lipson 2003 http://www.andrewlipson.com/escher/relativity.html © 2007 Alan Chia http://flickr.com/photos/seven13avenue/2080281038/ © 2007 Woodley Wonderworks http://flickr.com/photos/wwworks/2222523486/ © 2009 Formos Software Development