SlideShare une entreprise Scribd logo
1  sur  75
GGeettttiinngg ssttaarrtteedd wwiitthh 
((CClloojjuurree)) 
- or how I learned to stop worrying 
and love the (function)
Its a strange kind of love... 
 Clojure is very different 
 Part of your brain may rebel !! 
 Homo-Iconic 
 List based 
 Immutable state 
 Dynamically typed 
 Tiny syntax 
 Infinitely extensible 
with Macros
What is Clojure 
 Functional programming on the JVM 
 A better Lisp ?
Why get functional ? 
 Clock speeds stopped getting faster around 
2005 
 Cant get around the speed of silicon switches 
 Moores law still in effect 
 More cores added every 18 months 
 Laptops with 128 cores by 2020 ?? 
 Concurrency at the hardware level 
 Not just multi-threading
You may end up working 
here...
Why a better Lisp ? 
 Clojure is easier to understand 
 Nicer libraries 
 Great interoperability with Java 
platform 
 Closer to pure functional 
language 
 Explicitly define mutable state 
 STM – transactional memory
Classic or Re-Imagined 
 Lisp  Clojure
Why create Clojure 
 Concurrency in Java / OO is challenging 
 Mutable state-full paradigm 
 Fast enough persistent data structures made it 
viable 
 Functions as first class 
 Functions part of data structure 
 Functions do not have “side effects” 
 Focus on computation (maths) rather than 
procedural algorithms
Why use Clojure 
 Its a pure functional programming language 
 You can use existing Java code and platform 
 Simple syntax 
 It gets you thinking differently !!! 
 An excuse to learn Emacs properly ??
The downside of Clojure 
( x )
The downside of Clojure (2) 
( ( x ) )
The downside of Clojure (3) 
( ( ( x ) ) )
The downside of Clojure (4) 
( ( ( ( x ) ) ) )
The downside of Clojure (...) 
( ( ( ( ( x ) ) ) ) )
Tool support 
 Emacs 
 clojure-mode, clojure-test, 
paredit-mode 
 Netbeans 
 enclojure 
 IntelliJ 
 La Clojure 
 Eclipse 
 Counterclockwise 
plugin 
 Build tools 
 Leiningen 
 Emacs + Slime 
 Cake 
 Maven
Lets look at Clojure code
We're not in Kansas any 
more... 
 Java 
package … ; 
class …; 
member variables; 
access retType methodName (param, param) {…} 
 Clojure 
(ns name-space-name) 
(defstruct my-data-struture :label-name) 
(functionName param (fn param)) 
; param's can be functions too !!
Its just a tree...
… a tree structure 
 Functions are data 
 Data structures are functions !!
Download 
 clojure.org 
 Or via buld tool 
 Maven 
 Leiningen 
 Cake 
 Java 
 At least version 5 
 Version 6 better 
performance and 
reporting
All hail the REPL 
 An interactive shell for clojure 
 Using Leiningen (Line – ing – en) 
https://github.com/technomancy/leiningen/ 
lein 
lein repl
Leiningen Clojure project 
lein new 
lein deps 
lein repl 
lein swank 
 Create a new clojure project 
 Download clojure 
 Start the interactive shell 
 Start repl server for emacs
Leiningen project file 
(defproject my-jax-london-project "1.0.0-SNAPSHOT" 
:description "A meaningful description" 
:dependencies [[org.clojure/clojure "1.2.1"] 
[org.clojure/clojure-contrib "1.2.0"]] 
:dev-dependencies [[swank-clojure "1.2.1"] 
[org.clojars.rayne/autodoc "0.8.0- 
SNAPSHOT"]] 
:autodoc { :name "London Clojure dojo", :page-title "Dojo API"} 
;; Only re-fetch deps when they change in project.clj or when :library-path directory is empty. 
:checksum-deps true 
:license {:name "Eclipse Public License - v 1.0"
Loading code into the REPL 
(load-file "temp.clj") 
 Stuff too big to type 
 use an absolute path or a path relative to 
where you launched the REPL 
 Use Emacs or other IDE when you're ready
Simplest possible examples 
(* 2 2) 
(+ 1 2 3) 
( 24 4 3 2) 
( 2 4) 
( 2.0 4) 
(+ (* 4 5) 22) 
(+ 4 (* 3 2) 7) 
(+ 3 (* 2 (- 7 2) 4) (/ 16 4))
Calling Java... ooooo!! 
(javax.swing.JOptionPane/ 
showMessageDialog nil "Hello World" )
Ratio 
 Basic data type 
 Allow delaying computation 
 Avoid loss of precision 
(/ 2 4) 
(/ 2.0 4) 
(/ 1 3) 
(/ 1.0 3) 
(class (/ 1 3)
Simple function example 
(defn hello-world [name] (println(str "Hello " 
name))) 
(hello-world "jr0cket")
What class is that... 
(class (str "Jr0cket")) 
java.lang.String 
(class (defn hello-world [name] (str "Hello cruel 
world"))) 
clojure.lang.Var
str 
(str h e l l o)  Concatenate strings 
together 
 Can represent a 
character using
Booleans / Expressions 
(= 1 1.0) 
(= 1 2) 
(< 1 2) 
 True is a symbol, but 
also 
user=> (class true) 
java.lang.Boolean 
(if 0 (println “True”)) 
(if nil (println “True”)) 
(if “” (println “True”))
More examples 
(last [1 1 2 3 5 8]) 
(defn penultimate [x] 
(last (butlast x)) ) 
(penultimate [1 2 3 4 5]) 
 (doc last) 
 (doc butlast)
And more... 
(nth [1 1 2 3 5 8] 2) 
(count [1 1 2 3 5 8]) 
(reverse [1 1 2 3 5 8]) 
(defn palindrome? [x] 
(= x (reverse x)) ) 
 Proposition – naming 
convention
Even more 
(flatten [[1 1] 2 [3 [5 8]]]) 
(compress "aaaabccaadeeee") 
(encode "aaaabccaadeeee") 
(replicate 10 "a")
Where to find out more... 
http://clojure.org/cheatsheet 
http://clojure.github.com/cloj 
ure/clojure.core-api.html
Your own functions 
 Define your own algorithms 
(defn square [x] (* x x))
Anonymous functions 
 (fn ) (# ) 
(def sqr #(* % %))
Overloading functions 
(defn make 
([ ] ; the make function that takes no arguments 
(struct vector 0 0)) 
([x y] ; ... takes x and y keywords as arguments 
(struct vector x y)) 
)
Pure functions – no side effects 
 Clojure functions are pure 
 they have no side effects 
 Unless you define them as such 
 Pure functions are easy to develop, test, and 
understand 
 Aim for pure functions where possible
Clojure data structures 
 ( Lists ) - Ordered collection of elements 
 (list 1 3 5) '(8 13 21) 
 { map } 
 
 [ Vectors ] - Optimised for random access 
 [:tom :dick :harry] 
 Lists are for code, Vectors for data 
 (nth [:tom :dick :jane :harry ] 2)
List operations 
(first 1 2 3) 
 The head of the list 
(last 7 8 9) 
 The last element of the list 
(rest 1 2 3 4 5) 
 Everything but the head 
(cons :new-list '(1 2 3 4 5)) 
 New list, given head and tail
More data structures... 
(defstruct date :day :month :year) 
(struct date) 
 as we did not specify any parameters, we just 
get nil values 
 things in curly brackets are hash maps - the 
usual Java hashmaps
maps 
 { :a 1 :b 2} 
 user=> { :a 1 :b 2} 
 {:a 1, :b 2} 
 user=> { :a 1 :b } 
 java.lang.ArrayIndexOutOfB 
oundsException: 3 
 user=> { :a 1 :b 2} 
 {:a 1, :b 2} 
 user=> { :a 1 :b 3} ; this 
should make the repl 
complain in clojure 1.2, 
fine in 1.1 
 {:a 1, :b 3} 
 user=> {:a {:a 1}} 
 {:a {:a 1}} 
 user=> {{:a 1} :a} 
 {{:a 1} :a} 
 ; idiom - put :a on the left
Vectors 
 [:neo :morpheus :trinity :smith] 
 [:matrix-characters [:neo :morpheus :trinity 
:smith]] 
 (first [:neo :morpheus :trinity :smith]) 
 (nth [:matrix :babylon5 :firefly :stargate] 2) 
 (concat [:neo] [:trinity]) 
 (def my-vector 
 (vector? x)
Your own data structures 
 Special forms 
(def johnny {:first-name "John", :last-name 
"Stevenson"}) 
(defstruct person :first-name :last-name) 
(defrecord person [String :first-name String 
:last-name] :allow-nulls false)
Memory use 
 Once all references to an immutable structure 
disappears it can be garbage collected. 
 Loops that create intermittent structures are 
garbage collected every turn of the loop. 
;;Memory : 0 
(let [a (range 50000)]) ;; Memory: "big" while 
the let is "executing" 
;;Memory : 0 -- no reference to a anymore !
macros 
 Define extensions to the language 
 Clojure only has 7 primitive functions 
 Everything else in the language is created with 
macros 
 Allows the language to be extended easily 
without changes to the compiler
Special forms 
 Recognized by the Clojure compiler and not 
implemented in Clojure source code. 
 A relatively small number of special forms 
 New ones cannot be implemented 
 catch, def, do, dot ('.'), finally, fn, if, let, loop, 
monitor-enter, monitor-exit, new, quote, 
recur, set!, throw, try and var
if 
user=> (doc if) 
------------------------- 
if 
Special Form 
Please see http://clojure.org/special_forms#if 
nil
Sequences 
 Sequences are logical views of collections 
 Logical lists 
 Java collections, Clojure-specific collections, 
strings, streams, directory structures and XML 
trees. 
 New Clojure collections created efficiently 
 Creates a sort of branch (delta) in the data 
structure tree
Working with Sequences 
 first 
 rest 
 cons
Software Transactional 
Memory 
 Works like transactional databases 
 Provides safe, concurrent access to memory 
 Agents allow encapsulated access to mutable 
resources
Sharing mutable data 
 Use mutable references to immutable data 
 Reference Types 
 synchronous access to multiple pieces of 
shared data ("coordinated") by using STM 
 Atoms 
 synchronous access to a single piece of shared 
data. 
 Agents 
 asynchronous access to a single piece of 
shared data
Name-spaces 
 Define a namespace 
(ns name-space-name) 
 Include namespace code 
(use 'names-space-name) 
 Like a package statement in Java
Clojure Libraries 
(use 'clojure.contrib.str-utils) 
' 
 Dont treat the next thing as a function 
 Open source libraries - http://clojars.org/
Recursive functions 
 Functions that call 
themselves 
 Fractal coding 
 Tail recursion 
 Avoids blowing the 
heap 
 A trick as the JVM 
does not support 
tail recursion 
directly :-(
Tail recursion 
(defn factorial [x] 
(if (= x 0) 
1 
(* x (factorial (- x 1)) 
))) 
 Dont blow your stack 
!!
TDD with Clojure is nice 
 Clojure test 
(deftest test-name 
(is (= value (function params))) )
Simple test 
(ns simple-test 
(:use clojure.test) 
(:use simple)) 
(deftest simple-test 
(is (= (hello) "Hello world!")) 
(is (= (hello "test") "Hello test!")))
Working with Java 
 Java Classes 
 fullstop after class name 
 (JFrame. ) 
 (Math/cos 3) ; static method call 
 Java methods 
 fullstop before method name 
 (.getContentPane frame) ;;method name first 
 (. frame getContentPane) ;;object first
Importing 
(ns drawing-demo 
(:import [javax.swing JPanel JFrame] 
[java.awt Dimension]))
Working with Java (2) 
 Clojure gives you clean, simple, direct access 
to Java 
 call any Java API directly 
 (System/getProperties) 
 -> {java.runtime.name=Java(TM) SE Runtime 
Environment
Calling Clojure from Java 
 Export the clojure to a .jar 
 Add the jar to the classpath 
 Import the library in your code 
 Call it like any other method
Errors are inevitable 
 In the REPL 
(printStackTrace *e) 
 *e holds the last exception raised 
 Clojure exceptions are Java exceptions
Managing State in Immutable 
world 
 Mutable data structures to share between 
threads (Software Transactional Memory) 
 refs, vars, atoms, agents 
 No locks required for thread safe code, no 
deadlocks or race conditions 
 Atomically apply changes
Mutable functions 
 Swap! 
 
 Name functions that have side effects with an 
exclamation mark 
 Naming convention
Deployment 
 lein jar 
 lein uberjar
Documentation 
(doc function-name) 
(javadoc class-name) 
(defn function-name 
“A meaningful 
description of the 
function” 
params ) 
 Show fn description 
 Show javadoc in 
browser 
 Write documentation 
for your own 
functions
Example documentation 
(doc str) 
Use doc to print the documentation for str: 
user=> (doc str) 
------------------------- 
clojure.core/str 
([] [x] [x & ys]) 
With no args, returns the empty string. With one 
arg x, returns x.toString(). (str nil) returns 
the empty string. With more than one arg, 
returns the concatenation of the str values 
of the args. 
 Fully qualified 
namespace 
 Arguments 
 Details
find-doc 
(find-doc “reduce”) 
user=> (find-doc "reduce" ) 
------------------------- 
clojure/areduce 
([a idx ret init expr]) 
Macro 
... details ... 
------------------------- 
clojure/reduce 
([f coll] [f val coll]) 
... details ... 
 Search for functions 
you dont know 
 Keyword parameter
Autodoc 
 Generate a website for your API's 
 http://tomfaulhaber.github.com/auto 
doc/ 
 Add dependency to your build file 
 http://clojars.org/org.clojars.rayne/autodoc 
 lein deps 
 lein autodoc
Where next 
 Coding dojo – London / start your own 
 www.londonjavacommunity.co.uk 
 Books – Programming Clojure (Pragmatic) 
 Website – clojure.org dev.clojure.org 
 Full Disclojure 
vimeo.com/channels/fulldisclojure 
 clojure.jr0cket.co.uk 
 99 problems in clojure
Credits 
No parentheses 
were harmed in the 
making of this 
presentation....
TThhaannkk yyoouu 
 HHaavvee ffuunn 
lleeaarrnniinngg !!!! 
JJoohhnn@@jjrr00cckkeett..ccoomm 
@@jjrr00cckkeett 
jjoohhnn..jjrr00cckkeett..ccoo..uukk 
cclloojjuurree..jjrr00cckkeett..ccoo..uukk

Contenu connexe

Tendances

Oscon Java Testing on the Fast Lane
Oscon Java Testing on the Fast LaneOscon Java Testing on the Fast Lane
Oscon Java Testing on the Fast LaneAndres Almiray
 
Java7 New Features and Code Examples
Java7 New Features and Code ExamplesJava7 New Features and Code Examples
Java7 New Features and Code ExamplesNaresh Chintalcheru
 
From Java to Parellel Clojure - Clojure South 2019
From Java to Parellel Clojure - Clojure South 2019From Java to Parellel Clojure - Clojure South 2019
From Java to Parellel Clojure - Clojure South 2019Leonardo Borges
 
JavaOne 2013 - Clojure for Java Developers
JavaOne 2013 - Clojure for Java DevelopersJavaOne 2013 - Clojure for Java Developers
JavaOne 2013 - Clojure for Java DevelopersJan Kronquist
 
Exploring Clojurescript
Exploring ClojurescriptExploring Clojurescript
Exploring ClojurescriptLuke Donnet
 
Advance Java Programs skeleton
Advance Java Programs skeletonAdvance Java Programs skeleton
Advance Java Programs skeletonIram Ramrajkar
 
06 Java Language And OOP Part VI
06 Java Language And OOP Part VI06 Java Language And OOP Part VI
06 Java Language And OOP Part VIHari Christian
 
TclOO: Past Present Future
TclOO: Past Present FutureTclOO: Past Present Future
TclOO: Past Present FutureDonal Fellows
 
Excuse me, sir, do you have a moment to talk about tests in Kotlin
Excuse me, sir, do you have a moment to talk about tests in KotlinExcuse me, sir, do you have a moment to talk about tests in Kotlin
Excuse me, sir, do you have a moment to talk about tests in Kotlinleonsabr
 
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
 
Kotlin is charming; The reasons Java engineers should start Kotlin.
Kotlin is charming; The reasons Java engineers should start Kotlin.Kotlin is charming; The reasons Java engineers should start Kotlin.
Kotlin is charming; The reasons Java engineers should start Kotlin.JustSystems Corporation
 
Scala at HUJI PL Seminar 2008
Scala at HUJI PL Seminar 2008Scala at HUJI PL Seminar 2008
Scala at HUJI PL Seminar 2008Yardena Meymann
 
Introduction to clojure
Introduction to clojureIntroduction to clojure
Introduction to clojureAbbas Raza
 
Blocks & GCD
Blocks & GCDBlocks & GCD
Blocks & GCDrsebbe
 
Spock: Test Well and Prosper
Spock: Test Well and ProsperSpock: Test Well and Prosper
Spock: Test Well and ProsperKen Kousen
 

Tendances (20)

Oscon Java Testing on the Fast Lane
Oscon Java Testing on the Fast LaneOscon Java Testing on the Fast Lane
Oscon Java Testing on the Fast Lane
 
Java7 New Features and Code Examples
Java7 New Features and Code ExamplesJava7 New Features and Code Examples
Java7 New Features and Code Examples
 
From Java to Parellel Clojure - Clojure South 2019
From Java to Parellel Clojure - Clojure South 2019From Java to Parellel Clojure - Clojure South 2019
From Java to Parellel Clojure - Clojure South 2019
 
JavaOne 2013 - Clojure for Java Developers
JavaOne 2013 - Clojure for Java DevelopersJavaOne 2013 - Clojure for Java Developers
JavaOne 2013 - Clojure for Java Developers
 
Exploring Clojurescript
Exploring ClojurescriptExploring Clojurescript
Exploring Clojurescript
 
Advance Java Programs skeleton
Advance Java Programs skeletonAdvance Java Programs skeleton
Advance Java Programs skeleton
 
06 Java Language And OOP Part VI
06 Java Language And OOP Part VI06 Java Language And OOP Part VI
06 Java Language And OOP Part VI
 
TclOO: Past Present Future
TclOO: Past Present FutureTclOO: Past Present Future
TclOO: Past Present Future
 
Scala coated JVM
Scala coated JVMScala coated JVM
Scala coated JVM
 
Adventures in TclOO
Adventures in TclOOAdventures in TclOO
Adventures in TclOO
 
Excuse me, sir, do you have a moment to talk about tests in Kotlin
Excuse me, sir, do you have a moment to talk about tests in KotlinExcuse me, sir, do you have a moment to talk about tests in Kotlin
Excuse me, sir, do you have a moment to talk about tests in Kotlin
 
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
 
Kotlin is charming; The reasons Java engineers should start Kotlin.
Kotlin is charming; The reasons Java engineers should start Kotlin.Kotlin is charming; The reasons Java engineers should start Kotlin.
Kotlin is charming; The reasons Java engineers should start Kotlin.
 
Ad java prac sol set
Ad java prac sol setAd java prac sol set
Ad java prac sol set
 
Scala at HUJI PL Seminar 2008
Scala at HUJI PL Seminar 2008Scala at HUJI PL Seminar 2008
Scala at HUJI PL Seminar 2008
 
Introduction to clojure
Introduction to clojureIntroduction to clojure
Introduction to clojure
 
Clojure: a LISP for the JVM
Clojure: a LISP for the JVMClojure: a LISP for the JVM
Clojure: a LISP for the JVM
 
Java 7 New Features
Java 7 New FeaturesJava 7 New Features
Java 7 New Features
 
Blocks & GCD
Blocks & GCDBlocks & GCD
Blocks & GCD
 
Spock: Test Well and Prosper
Spock: Test Well and ProsperSpock: Test Well and Prosper
Spock: Test Well and Prosper
 

En vedette

Clojure: an overview
Clojure: an overviewClojure: an overview
Clojure: an overviewLarry Diehl
 
Clojure: The Art of Abstraction
Clojure: The Art of AbstractionClojure: The Art of Abstraction
Clojure: The Art of AbstractionAlex Miller
 
Functional programming in clojure
Functional programming in clojureFunctional programming in clojure
Functional programming in clojureJuan-Manuel Gimeno
 
Clojure, Web and Luminus
Clojure, Web and LuminusClojure, Web and Luminus
Clojure, Web and LuminusEdward Tsech
 
Yet another startup built on Clojure(Script)
Yet another startup built on Clojure(Script)Yet another startup built on Clojure(Script)
Yet another startup built on Clojure(Script)Paul Lam
 
Intro to Java 8 Closures (Dainius Mezanskas)
Intro to Java 8 Closures (Dainius Mezanskas)Intro to Java 8 Closures (Dainius Mezanskas)
Intro to Java 8 Closures (Dainius Mezanskas)Kaunas Java User Group
 
Clojure at BackType
Clojure at BackTypeClojure at BackType
Clojure at BackTypenathanmarz
 
Writing DSL in Clojure
Writing DSL in ClojureWriting DSL in Clojure
Writing DSL in ClojureMisha Kozik
 
Functional Reactive Programming in Clojurescript
Functional Reactive Programming in ClojurescriptFunctional Reactive Programming in Clojurescript
Functional Reactive Programming in ClojurescriptLeonardo Borges
 
EPUB3で変わる電子書籍の表現力
EPUB3で変わる電子書籍の表現力 EPUB3で変わる電子書籍の表現力
EPUB3で変わる電子書籍の表現力 Youji Sakai
 
JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"
JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"
JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"GeeksLab Odessa
 
DITA, HTML5, and EPUB3 (Content Agility, June 2013)
DITA, HTML5, and EPUB3 (Content Agility, June 2013)DITA, HTML5, and EPUB3 (Content Agility, June 2013)
DITA, HTML5, and EPUB3 (Content Agility, June 2013)Contrext Solutions
 
EPUB3 Now! at IDPF 2013 Digital Book
EPUB3 Now! at IDPF 2013 Digital BookEPUB3 Now! at IDPF 2013 Digital Book
EPUB3 Now! at IDPF 2013 Digital Bookliz_castro
 
Winning the Erlang Edit•Build•Test Cycle
Winning the Erlang Edit•Build•Test CycleWinning the Erlang Edit•Build•Test Cycle
Winning the Erlang Edit•Build•Test CycleRusty Klophaus
 
Messaging With Erlang And Jabber
Messaging With  Erlang And  JabberMessaging With  Erlang And  Jabber
Messaging With Erlang And Jabberl xf
 
20 reasons why we don't need architects (@pavlobaron)
20 reasons why we don't need architects (@pavlobaron)20 reasons why we don't need architects (@pavlobaron)
20 reasons why we don't need architects (@pavlobaron)Pavlo Baron
 

En vedette (20)

Clojure: an overview
Clojure: an overviewClojure: an overview
Clojure: an overview
 
Clojure: The Art of Abstraction
Clojure: The Art of AbstractionClojure: The Art of Abstraction
Clojure: The Art of Abstraction
 
DSL in Clojure
DSL in ClojureDSL in Clojure
DSL in Clojure
 
Functional programming in clojure
Functional programming in clojureFunctional programming in clojure
Functional programming in clojure
 
Clojure, Web and Luminus
Clojure, Web and LuminusClojure, Web and Luminus
Clojure, Web and Luminus
 
Yet another startup built on Clojure(Script)
Yet another startup built on Clojure(Script)Yet another startup built on Clojure(Script)
Yet another startup built on Clojure(Script)
 
Intro to Java 8 Closures (Dainius Mezanskas)
Intro to Java 8 Closures (Dainius Mezanskas)Intro to Java 8 Closures (Dainius Mezanskas)
Intro to Java 8 Closures (Dainius Mezanskas)
 
Clojure at BackType
Clojure at BackTypeClojure at BackType
Clojure at BackType
 
Writing DSL in Clojure
Writing DSL in ClojureWriting DSL in Clojure
Writing DSL in Clojure
 
ETL in Clojure
ETL in ClojureETL in Clojure
ETL in Clojure
 
Functional Reactive Programming in Clojurescript
Functional Reactive Programming in ClojurescriptFunctional Reactive Programming in Clojurescript
Functional Reactive Programming in Clojurescript
 
EPUB3で変わる電子書籍の表現力
EPUB3で変わる電子書籍の表現力 EPUB3で変わる電子書籍の表現力
EPUB3で変わる電子書籍の表現力
 
JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"
JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"
JS Lab`16. Роман Лютиков: "ClojureScript, что ты такое?"
 
HTML5와 전자책, 융합 서비스로 발전 현황
HTML5와 전자책, 융합 서비스로 발전 현황HTML5와 전자책, 융합 서비스로 발전 현황
HTML5와 전자책, 융합 서비스로 발전 현황
 
DITA, HTML5, and EPUB3 (Content Agility, June 2013)
DITA, HTML5, and EPUB3 (Content Agility, June 2013)DITA, HTML5, and EPUB3 (Content Agility, June 2013)
DITA, HTML5, and EPUB3 (Content Agility, June 2013)
 
EPUB3 Now! at IDPF 2013 Digital Book
EPUB3 Now! at IDPF 2013 Digital BookEPUB3 Now! at IDPF 2013 Digital Book
EPUB3 Now! at IDPF 2013 Digital Book
 
Winning the Erlang Edit•Build•Test Cycle
Winning the Erlang Edit•Build•Test CycleWinning the Erlang Edit•Build•Test Cycle
Winning the Erlang Edit•Build•Test Cycle
 
Messaging With Erlang And Jabber
Messaging With  Erlang And  JabberMessaging With  Erlang And  Jabber
Messaging With Erlang And Jabber
 
Clojure class
Clojure classClojure class
Clojure class
 
20 reasons why we don't need architects (@pavlobaron)
20 reasons why we don't need architects (@pavlobaron)20 reasons why we don't need architects (@pavlobaron)
20 reasons why we don't need architects (@pavlobaron)
 

Similaire à Getting started with Clojure

Clojure 1.1 And Beyond
Clojure 1.1 And BeyondClojure 1.1 And Beyond
Clojure 1.1 And BeyondMike Fogus
 
A Survey of Concurrency Constructs
A Survey of Concurrency ConstructsA Survey of Concurrency Constructs
A Survey of Concurrency ConstructsTed Leung
 
Clojure - A new Lisp
Clojure - A new LispClojure - A new Lisp
Clojure - A new Lispelliando dias
 
ClojureScript for the web
ClojureScript for the webClojureScript for the web
ClojureScript for the webMichiel Borkent
 
Introductory Clojure Presentation
Introductory Clojure PresentationIntroductory Clojure Presentation
Introductory Clojure PresentationJay Victoria
 
Presentation of Python, Django, DockerStack
Presentation of Python, Django, DockerStackPresentation of Python, Django, DockerStack
Presentation of Python, Django, DockerStackDavid Sanchez
 
A Taste of Clojure
A Taste of ClojureA Taste of Clojure
A Taste of ClojureDavid Leung
 
Clojure made simple - Lightning talk
Clojure made simple - Lightning talkClojure made simple - Lightning talk
Clojure made simple - Lightning talkJohn Stevenson
 
Java 7 Whats New(), Whats Next() from Oredev
Java 7 Whats New(), Whats Next() from OredevJava 7 Whats New(), Whats Next() from Oredev
Java 7 Whats New(), Whats Next() from OredevMattias Karlsson
 
Clojure made really really simple
Clojure made really really simpleClojure made really really simple
Clojure made really really simpleJohn Stevenson
 
Леонид Шевцов «Clojure в деле»
Леонид Шевцов «Clojure в деле»Леонид Шевцов «Clojure в деле»
Леонид Шевцов «Clojure в деле»DataArt
 
Concurrency Constructs Overview
Concurrency Constructs OverviewConcurrency Constructs Overview
Concurrency Constructs Overviewstasimus
 
Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009Martin Odersky
 

Similaire à Getting started with Clojure (20)

Clojure 1.1 And Beyond
Clojure 1.1 And BeyondClojure 1.1 And Beyond
Clojure 1.1 And Beyond
 
Pune Clojure Course Outline
Pune Clojure Course OutlinePune Clojure Course Outline
Pune Clojure Course Outline
 
A Survey of Concurrency Constructs
A Survey of Concurrency ConstructsA Survey of Concurrency Constructs
A Survey of Concurrency Constructs
 
Clojure - A new Lisp
Clojure - A new LispClojure - A new Lisp
Clojure - A new Lisp
 
ClojureScript for the web
ClojureScript for the webClojureScript for the web
ClojureScript for the web
 
55j7
55j755j7
55j7
 
Introductory Clojure Presentation
Introductory Clojure PresentationIntroductory Clojure Presentation
Introductory Clojure Presentation
 
Clojure And Swing
Clojure And SwingClojure And Swing
Clojure And Swing
 
Lobos Introduction
Lobos IntroductionLobos Introduction
Lobos Introduction
 
Presentation of Python, Django, DockerStack
Presentation of Python, Django, DockerStackPresentation of Python, Django, DockerStack
Presentation of Python, Django, DockerStack
 
Clojure intro
Clojure introClojure intro
Clojure intro
 
Enter The Matrix
Enter The MatrixEnter The Matrix
Enter The Matrix
 
A Taste of Clojure
A Taste of ClojureA Taste of Clojure
A Taste of Clojure
 
Clojure made simple - Lightning talk
Clojure made simple - Lightning talkClojure made simple - Lightning talk
Clojure made simple - Lightning talk
 
Java 7 Whats New(), Whats Next() from Oredev
Java 7 Whats New(), Whats Next() from OredevJava 7 Whats New(), Whats Next() from Oredev
Java 7 Whats New(), Whats Next() from Oredev
 
Clojure made really really simple
Clojure made really really simpleClojure made really really simple
Clojure made really really simple
 
Леонид Шевцов «Clojure в деле»
Леонид Шевцов «Clojure в деле»Леонид Шевцов «Clojure в деле»
Леонид Шевцов «Clojure в деле»
 
Concurrency Constructs Overview
Concurrency Constructs OverviewConcurrency Constructs Overview
Concurrency Constructs Overview
 
Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009
 
Hadoop + Clojure
Hadoop + ClojureHadoop + Clojure
Hadoop + Clojure
 

Plus de John Stevenson

ClojureX Conference 2017 - 10 amazing years of Clojure
ClojureX Conference 2017 - 10 amazing years of ClojureClojureX Conference 2017 - 10 amazing years of Clojure
ClojureX Conference 2017 - 10 amazing years of ClojureJohn Stevenson
 
Confessions of a developer community builder
Confessions of a developer community builderConfessions of a developer community builder
Confessions of a developer community builderJohn Stevenson
 
Progscon 2017: Taming the wild fronteer - Adventures in Clojurescript
Progscon 2017: Taming the wild fronteer - Adventures in ClojurescriptProgscon 2017: Taming the wild fronteer - Adventures in Clojurescript
Progscon 2017: Taming the wild fronteer - Adventures in ClojurescriptJohn Stevenson
 
Introduction to Functional Reactive Web with Clojurescript
Introduction to Functional Reactive Web with ClojurescriptIntroduction to Functional Reactive Web with Clojurescript
Introduction to Functional Reactive Web with ClojurescriptJohn Stevenson
 
Thinking Functionally with Clojure
Thinking Functionally with ClojureThinking Functionally with Clojure
Thinking Functionally with ClojureJohn Stevenson
 
Communication improbable
Communication improbableCommunication improbable
Communication improbableJohn Stevenson
 
Getting into public speaking at conferences
Getting into public speaking at conferencesGetting into public speaking at conferences
Getting into public speaking at conferencesJohn Stevenson
 
Functional web with clojure
Functional web with clojureFunctional web with clojure
Functional web with clojureJohn Stevenson
 
Get into Functional Programming with Clojure
Get into Functional Programming with ClojureGet into Functional Programming with Clojure
Get into Functional Programming with ClojureJohn Stevenson
 
Guiding people into Clojure
Guiding people into ClojureGuiding people into Clojure
Guiding people into ClojureJohn Stevenson
 
Git and github - Verson Control for the Modern Developer
Git and github - Verson Control for the Modern DeveloperGit and github - Verson Control for the Modern Developer
Git and github - Verson Control for the Modern DeveloperJohn Stevenson
 
Get Functional Programming with Clojure
Get Functional Programming with ClojureGet Functional Programming with Clojure
Get Functional Programming with ClojureJohn Stevenson
 
So you want to run a developer event, are you crazy?
So you want to run a developer event, are you crazy?So you want to run a developer event, are you crazy?
So you want to run a developer event, are you crazy?John Stevenson
 
Trailhead live - Overview of Salesforce App Cloud
Trailhead live - Overview of Salesforce App CloudTrailhead live - Overview of Salesforce App Cloud
Trailhead live - Overview of Salesforce App CloudJohn Stevenson
 
Introducing the Salesforce platform
Introducing the Salesforce platformIntroducing the Salesforce platform
Introducing the Salesforce platformJohn Stevenson
 
Dreamforce14 Metadata Management with Git Version Control
Dreamforce14 Metadata Management with Git Version ControlDreamforce14 Metadata Management with Git Version Control
Dreamforce14 Metadata Management with Git Version ControlJohn Stevenson
 
Salesforce Summer of Hacks London - Introduction
Salesforce Summer of Hacks London - IntroductionSalesforce Summer of Hacks London - Introduction
Salesforce Summer of Hacks London - IntroductionJohn Stevenson
 
Heroku Introduction: Scaling customer facing apps & services
Heroku Introduction: Scaling customer facing apps & servicesHeroku Introduction: Scaling customer facing apps & services
Heroku Introduction: Scaling customer facing apps & servicesJohn Stevenson
 
Developers guide to the Salesforce1 Platform
Developers guide to the Salesforce1 PlatformDevelopers guide to the Salesforce1 Platform
Developers guide to the Salesforce1 PlatformJohn Stevenson
 
Developer week EMEA - Salesforce1 Mobile App overview
Developer week EMEA - Salesforce1 Mobile App overviewDeveloper week EMEA - Salesforce1 Mobile App overview
Developer week EMEA - Salesforce1 Mobile App overviewJohn Stevenson
 

Plus de John Stevenson (20)

ClojureX Conference 2017 - 10 amazing years of Clojure
ClojureX Conference 2017 - 10 amazing years of ClojureClojureX Conference 2017 - 10 amazing years of Clojure
ClojureX Conference 2017 - 10 amazing years of Clojure
 
Confessions of a developer community builder
Confessions of a developer community builderConfessions of a developer community builder
Confessions of a developer community builder
 
Progscon 2017: Taming the wild fronteer - Adventures in Clojurescript
Progscon 2017: Taming the wild fronteer - Adventures in ClojurescriptProgscon 2017: Taming the wild fronteer - Adventures in Clojurescript
Progscon 2017: Taming the wild fronteer - Adventures in Clojurescript
 
Introduction to Functional Reactive Web with Clojurescript
Introduction to Functional Reactive Web with ClojurescriptIntroduction to Functional Reactive Web with Clojurescript
Introduction to Functional Reactive Web with Clojurescript
 
Thinking Functionally with Clojure
Thinking Functionally with ClojureThinking Functionally with Clojure
Thinking Functionally with Clojure
 
Communication improbable
Communication improbableCommunication improbable
Communication improbable
 
Getting into public speaking at conferences
Getting into public speaking at conferencesGetting into public speaking at conferences
Getting into public speaking at conferences
 
Functional web with clojure
Functional web with clojureFunctional web with clojure
Functional web with clojure
 
Get into Functional Programming with Clojure
Get into Functional Programming with ClojureGet into Functional Programming with Clojure
Get into Functional Programming with Clojure
 
Guiding people into Clojure
Guiding people into ClojureGuiding people into Clojure
Guiding people into Clojure
 
Git and github - Verson Control for the Modern Developer
Git and github - Verson Control for the Modern DeveloperGit and github - Verson Control for the Modern Developer
Git and github - Verson Control for the Modern Developer
 
Get Functional Programming with Clojure
Get Functional Programming with ClojureGet Functional Programming with Clojure
Get Functional Programming with Clojure
 
So you want to run a developer event, are you crazy?
So you want to run a developer event, are you crazy?So you want to run a developer event, are you crazy?
So you want to run a developer event, are you crazy?
 
Trailhead live - Overview of Salesforce App Cloud
Trailhead live - Overview of Salesforce App CloudTrailhead live - Overview of Salesforce App Cloud
Trailhead live - Overview of Salesforce App Cloud
 
Introducing the Salesforce platform
Introducing the Salesforce platformIntroducing the Salesforce platform
Introducing the Salesforce platform
 
Dreamforce14 Metadata Management with Git Version Control
Dreamforce14 Metadata Management with Git Version ControlDreamforce14 Metadata Management with Git Version Control
Dreamforce14 Metadata Management with Git Version Control
 
Salesforce Summer of Hacks London - Introduction
Salesforce Summer of Hacks London - IntroductionSalesforce Summer of Hacks London - Introduction
Salesforce Summer of Hacks London - Introduction
 
Heroku Introduction: Scaling customer facing apps & services
Heroku Introduction: Scaling customer facing apps & servicesHeroku Introduction: Scaling customer facing apps & services
Heroku Introduction: Scaling customer facing apps & services
 
Developers guide to the Salesforce1 Platform
Developers guide to the Salesforce1 PlatformDevelopers guide to the Salesforce1 Platform
Developers guide to the Salesforce1 Platform
 
Developer week EMEA - Salesforce1 Mobile App overview
Developer week EMEA - Salesforce1 Mobile App overviewDeveloper week EMEA - Salesforce1 Mobile App overview
Developer week EMEA - Salesforce1 Mobile App overview
 

Dernier

What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?Antenna Manufacturer Coco
 
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdfUnderstanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdfUK Journal
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024The Digital Insurer
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptxHampshireHUG
 
AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAndrey Devyatkin
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)Gabriella Davis
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘RTylerCroy
 
Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024The Digital Insurer
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonAnna Loughnan Colquhoun
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Scriptwesley chun
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slidevu2urc
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...Martijn de Jong
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProduct Anonymous
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CVKhem
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationRadu Cotescu
 
Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Enterprise Knowledge
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobeapidays
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024Rafal Los
 
Advantages of Hiring UIUX Design Service Providers for Your Business
Advantages of Hiring UIUX Design Service Providers for Your BusinessAdvantages of Hiring UIUX Design Service Providers for Your Business
Advantages of Hiring UIUX Design Service Providers for Your BusinessPixlogix Infotech
 

Dernier (20)

What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?
 
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdfUnderstanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
 
AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of Terraform
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt Robison
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slide
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organization
 
Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024
 
Advantages of Hiring UIUX Design Service Providers for Your Business
Advantages of Hiring UIUX Design Service Providers for Your BusinessAdvantages of Hiring UIUX Design Service Providers for Your Business
Advantages of Hiring UIUX Design Service Providers for Your Business
 

Getting started with Clojure

  • 1. GGeettttiinngg ssttaarrtteedd wwiitthh ((CClloojjuurree)) - or how I learned to stop worrying and love the (function)
  • 2. Its a strange kind of love...  Clojure is very different  Part of your brain may rebel !!  Homo-Iconic  List based  Immutable state  Dynamically typed  Tiny syntax  Infinitely extensible with Macros
  • 3. What is Clojure  Functional programming on the JVM  A better Lisp ?
  • 4. Why get functional ?  Clock speeds stopped getting faster around 2005  Cant get around the speed of silicon switches  Moores law still in effect  More cores added every 18 months  Laptops with 128 cores by 2020 ??  Concurrency at the hardware level  Not just multi-threading
  • 5. You may end up working here...
  • 6. Why a better Lisp ?  Clojure is easier to understand  Nicer libraries  Great interoperability with Java platform  Closer to pure functional language  Explicitly define mutable state  STM – transactional memory
  • 7. Classic or Re-Imagined  Lisp  Clojure
  • 8. Why create Clojure  Concurrency in Java / OO is challenging  Mutable state-full paradigm  Fast enough persistent data structures made it viable  Functions as first class  Functions part of data structure  Functions do not have “side effects”  Focus on computation (maths) rather than procedural algorithms
  • 9. Why use Clojure  Its a pure functional programming language  You can use existing Java code and platform  Simple syntax  It gets you thinking differently !!!  An excuse to learn Emacs properly ??
  • 10. The downside of Clojure ( x )
  • 11. The downside of Clojure (2) ( ( x ) )
  • 12. The downside of Clojure (3) ( ( ( x ) ) )
  • 13. The downside of Clojure (4) ( ( ( ( x ) ) ) )
  • 14. The downside of Clojure (...) ( ( ( ( ( x ) ) ) ) )
  • 15. Tool support  Emacs  clojure-mode, clojure-test, paredit-mode  Netbeans  enclojure  IntelliJ  La Clojure  Eclipse  Counterclockwise plugin  Build tools  Leiningen  Emacs + Slime  Cake  Maven
  • 16. Lets look at Clojure code
  • 17.
  • 18. We're not in Kansas any more...  Java package … ; class …; member variables; access retType methodName (param, param) {…}  Clojure (ns name-space-name) (defstruct my-data-struture :label-name) (functionName param (fn param)) ; param's can be functions too !!
  • 19. Its just a tree...
  • 20. … a tree structure  Functions are data  Data structures are functions !!
  • 21. Download  clojure.org  Or via buld tool  Maven  Leiningen  Cake  Java  At least version 5  Version 6 better performance and reporting
  • 22. All hail the REPL  An interactive shell for clojure  Using Leiningen (Line – ing – en) https://github.com/technomancy/leiningen/ lein lein repl
  • 23. Leiningen Clojure project lein new lein deps lein repl lein swank  Create a new clojure project  Download clojure  Start the interactive shell  Start repl server for emacs
  • 24. Leiningen project file (defproject my-jax-london-project "1.0.0-SNAPSHOT" :description "A meaningful description" :dependencies [[org.clojure/clojure "1.2.1"] [org.clojure/clojure-contrib "1.2.0"]] :dev-dependencies [[swank-clojure "1.2.1"] [org.clojars.rayne/autodoc "0.8.0- SNAPSHOT"]] :autodoc { :name "London Clojure dojo", :page-title "Dojo API"} ;; Only re-fetch deps when they change in project.clj or when :library-path directory is empty. :checksum-deps true :license {:name "Eclipse Public License - v 1.0"
  • 25. Loading code into the REPL (load-file "temp.clj")  Stuff too big to type  use an absolute path or a path relative to where you launched the REPL  Use Emacs or other IDE when you're ready
  • 26. Simplest possible examples (* 2 2) (+ 1 2 3) ( 24 4 3 2) ( 2 4) ( 2.0 4) (+ (* 4 5) 22) (+ 4 (* 3 2) 7) (+ 3 (* 2 (- 7 2) 4) (/ 16 4))
  • 27. Calling Java... ooooo!! (javax.swing.JOptionPane/ showMessageDialog nil "Hello World" )
  • 28. Ratio  Basic data type  Allow delaying computation  Avoid loss of precision (/ 2 4) (/ 2.0 4) (/ 1 3) (/ 1.0 3) (class (/ 1 3)
  • 29. Simple function example (defn hello-world [name] (println(str "Hello " name))) (hello-world "jr0cket")
  • 30. What class is that... (class (str "Jr0cket")) java.lang.String (class (defn hello-world [name] (str "Hello cruel world"))) clojure.lang.Var
  • 31. str (str h e l l o)  Concatenate strings together  Can represent a character using
  • 32. Booleans / Expressions (= 1 1.0) (= 1 2) (< 1 2)  True is a symbol, but also user=> (class true) java.lang.Boolean (if 0 (println “True”)) (if nil (println “True”)) (if “” (println “True”))
  • 33. More examples (last [1 1 2 3 5 8]) (defn penultimate [x] (last (butlast x)) ) (penultimate [1 2 3 4 5])  (doc last)  (doc butlast)
  • 34. And more... (nth [1 1 2 3 5 8] 2) (count [1 1 2 3 5 8]) (reverse [1 1 2 3 5 8]) (defn palindrome? [x] (= x (reverse x)) )  Proposition – naming convention
  • 35. Even more (flatten [[1 1] 2 [3 [5 8]]]) (compress "aaaabccaadeeee") (encode "aaaabccaadeeee") (replicate 10 "a")
  • 36. Where to find out more... http://clojure.org/cheatsheet http://clojure.github.com/cloj ure/clojure.core-api.html
  • 37. Your own functions  Define your own algorithms (defn square [x] (* x x))
  • 38. Anonymous functions  (fn ) (# ) (def sqr #(* % %))
  • 39. Overloading functions (defn make ([ ] ; the make function that takes no arguments (struct vector 0 0)) ([x y] ; ... takes x and y keywords as arguments (struct vector x y)) )
  • 40. Pure functions – no side effects  Clojure functions are pure  they have no side effects  Unless you define them as such  Pure functions are easy to develop, test, and understand  Aim for pure functions where possible
  • 41. Clojure data structures  ( Lists ) - Ordered collection of elements  (list 1 3 5) '(8 13 21)  { map }   [ Vectors ] - Optimised for random access  [:tom :dick :harry]  Lists are for code, Vectors for data  (nth [:tom :dick :jane :harry ] 2)
  • 42. List operations (first 1 2 3)  The head of the list (last 7 8 9)  The last element of the list (rest 1 2 3 4 5)  Everything but the head (cons :new-list '(1 2 3 4 5))  New list, given head and tail
  • 43. More data structures... (defstruct date :day :month :year) (struct date)  as we did not specify any parameters, we just get nil values  things in curly brackets are hash maps - the usual Java hashmaps
  • 44. maps  { :a 1 :b 2}  user=> { :a 1 :b 2}  {:a 1, :b 2}  user=> { :a 1 :b }  java.lang.ArrayIndexOutOfB oundsException: 3  user=> { :a 1 :b 2}  {:a 1, :b 2}  user=> { :a 1 :b 3} ; this should make the repl complain in clojure 1.2, fine in 1.1  {:a 1, :b 3}  user=> {:a {:a 1}}  {:a {:a 1}}  user=> {{:a 1} :a}  {{:a 1} :a}  ; idiom - put :a on the left
  • 45. Vectors  [:neo :morpheus :trinity :smith]  [:matrix-characters [:neo :morpheus :trinity :smith]]  (first [:neo :morpheus :trinity :smith])  (nth [:matrix :babylon5 :firefly :stargate] 2)  (concat [:neo] [:trinity])  (def my-vector  (vector? x)
  • 46. Your own data structures  Special forms (def johnny {:first-name "John", :last-name "Stevenson"}) (defstruct person :first-name :last-name) (defrecord person [String :first-name String :last-name] :allow-nulls false)
  • 47. Memory use  Once all references to an immutable structure disappears it can be garbage collected.  Loops that create intermittent structures are garbage collected every turn of the loop. ;;Memory : 0 (let [a (range 50000)]) ;; Memory: "big" while the let is "executing" ;;Memory : 0 -- no reference to a anymore !
  • 48. macros  Define extensions to the language  Clojure only has 7 primitive functions  Everything else in the language is created with macros  Allows the language to be extended easily without changes to the compiler
  • 49. Special forms  Recognized by the Clojure compiler and not implemented in Clojure source code.  A relatively small number of special forms  New ones cannot be implemented  catch, def, do, dot ('.'), finally, fn, if, let, loop, monitor-enter, monitor-exit, new, quote, recur, set!, throw, try and var
  • 50. if user=> (doc if) ------------------------- if Special Form Please see http://clojure.org/special_forms#if nil
  • 51. Sequences  Sequences are logical views of collections  Logical lists  Java collections, Clojure-specific collections, strings, streams, directory structures and XML trees.  New Clojure collections created efficiently  Creates a sort of branch (delta) in the data structure tree
  • 52. Working with Sequences  first  rest  cons
  • 53. Software Transactional Memory  Works like transactional databases  Provides safe, concurrent access to memory  Agents allow encapsulated access to mutable resources
  • 54. Sharing mutable data  Use mutable references to immutable data  Reference Types  synchronous access to multiple pieces of shared data ("coordinated") by using STM  Atoms  synchronous access to a single piece of shared data.  Agents  asynchronous access to a single piece of shared data
  • 55. Name-spaces  Define a namespace (ns name-space-name)  Include namespace code (use 'names-space-name)  Like a package statement in Java
  • 56. Clojure Libraries (use 'clojure.contrib.str-utils) '  Dont treat the next thing as a function  Open source libraries - http://clojars.org/
  • 57. Recursive functions  Functions that call themselves  Fractal coding  Tail recursion  Avoids blowing the heap  A trick as the JVM does not support tail recursion directly :-(
  • 58. Tail recursion (defn factorial [x] (if (= x 0) 1 (* x (factorial (- x 1)) )))  Dont blow your stack !!
  • 59. TDD with Clojure is nice  Clojure test (deftest test-name (is (= value (function params))) )
  • 60. Simple test (ns simple-test (:use clojure.test) (:use simple)) (deftest simple-test (is (= (hello) "Hello world!")) (is (= (hello "test") "Hello test!")))
  • 61. Working with Java  Java Classes  fullstop after class name  (JFrame. )  (Math/cos 3) ; static method call  Java methods  fullstop before method name  (.getContentPane frame) ;;method name first  (. frame getContentPane) ;;object first
  • 62. Importing (ns drawing-demo (:import [javax.swing JPanel JFrame] [java.awt Dimension]))
  • 63. Working with Java (2)  Clojure gives you clean, simple, direct access to Java  call any Java API directly  (System/getProperties)  -> {java.runtime.name=Java(TM) SE Runtime Environment
  • 64. Calling Clojure from Java  Export the clojure to a .jar  Add the jar to the classpath  Import the library in your code  Call it like any other method
  • 65. Errors are inevitable  In the REPL (printStackTrace *e)  *e holds the last exception raised  Clojure exceptions are Java exceptions
  • 66. Managing State in Immutable world  Mutable data structures to share between threads (Software Transactional Memory)  refs, vars, atoms, agents  No locks required for thread safe code, no deadlocks or race conditions  Atomically apply changes
  • 67. Mutable functions  Swap!   Name functions that have side effects with an exclamation mark  Naming convention
  • 68. Deployment  lein jar  lein uberjar
  • 69. Documentation (doc function-name) (javadoc class-name) (defn function-name “A meaningful description of the function” params )  Show fn description  Show javadoc in browser  Write documentation for your own functions
  • 70. Example documentation (doc str) Use doc to print the documentation for str: user=> (doc str) ------------------------- clojure.core/str ([] [x] [x & ys]) With no args, returns the empty string. With one arg x, returns x.toString(). (str nil) returns the empty string. With more than one arg, returns the concatenation of the str values of the args.  Fully qualified namespace  Arguments  Details
  • 71. find-doc (find-doc “reduce”) user=> (find-doc "reduce" ) ------------------------- clojure/areduce ([a idx ret init expr]) Macro ... details ... ------------------------- clojure/reduce ([f coll] [f val coll]) ... details ...  Search for functions you dont know  Keyword parameter
  • 72. Autodoc  Generate a website for your API's  http://tomfaulhaber.github.com/auto doc/  Add dependency to your build file  http://clojars.org/org.clojars.rayne/autodoc  lein deps  lein autodoc
  • 73. Where next  Coding dojo – London / start your own  www.londonjavacommunity.co.uk  Books – Programming Clojure (Pragmatic)  Website – clojure.org dev.clojure.org  Full Disclojure vimeo.com/channels/fulldisclojure  clojure.jr0cket.co.uk  99 problems in clojure
  • 74. Credits No parentheses were harmed in the making of this presentation....
  • 75. TThhaannkk yyoouu  HHaavvee ffuunn lleeaarrnniinngg !!!! JJoohhnn@@jjrr00cckkeett..ccoomm @@jjrr00cckkeett jjoohhnn..jjrr00cckkeett..ccoo..uukk cclloojjuurree..jjrr00cckkeett..ccoo..uukk

Notes de l'éditeur

  1. Clojure has a programmatic macro system which allows the compiler to be extended by user code You can add your own language features with macros. Clojure itself is built out of macros such as defstruct: (defstruct person :first-name :last-name) If you need different semantics, write your own macro. If you want a variant of structs with strong typing and configurable null-checking for all fields, you can create your own defrecord macro, to be used like this: (defrecord person [String :first-name String :last-name] :allow-nulls false) This ability to reprogram the language from within the language is the unique advantage of Lisp. You will see facets of this idea described in various ways: Lisp is homoiconic - Lisp code is just Lisp data. This makes it easy for programs to write other programs. The whole language is there, all the time. Paul Graham’s essay “Revenge of the Nerds” explains why this is so powerful. http://www.paulgraham.com/icad.html Lisp syntax also eliminates rules for operator precedence and associativity, with fully parenthesized expressions, there is no possible ambiguity
  2. Hickey&amp;apos;s primary interest was concurrency — he wanted the ability to write multi-threaded applications, but increasingly found the mutable, stateful paradigm of object oriented programming to be part of the problem The idea of a functional Lisp integrated with a commercially accepted host platform just seemed like chocolate and peanut butter. Coming up with persistent data structures that were fast enough was the tipping point for my considering it viable. functions as first-class objects, meaning that functions can be placed into data structures, passed as arguments to other functions, evaluated in comparisons, even returned as the return value of another function. Moreover, functions do not have &amp;quot;side effects&amp;quot; — the ability to modify program state or data. This paradigm focuses on computation in the mathematical sense, rather than procedural algorithms, and is a completely different approach to programming. Clojure does provide persistent data structures For application developers, the most significant distinction is that Clojure defaults to making all data structures immutable developers must use one of four special mutable structures that are explicitly designed to be shared between threads: refs, vars, atoms, and agents. Clojure uses software transactional memory (STM) to coordinate changing these mutable structures while keeping them in a consistent state, much like a transactional database. This model makes it considerably simpler to write thread-safe code than it is in object oriented languages. No locks are required, therefore there are no deadlocks or race conditions.
  3. Throw away your knowledge about OO and try something different
  4. The downside of Lisp’s simple, regular syntax, at least for beginners, is Lisp’s fixation on parentheses and on lists as the core data type. Clojure offers an interesting combination of features that makes Lisp more approachable for non-Lispers.
  5. The downside of Lisp’s simple, regular syntax, at least for beginners, is Lisp’s fixation on parentheses and on lists as the core data type. Clojure offers an interesting combination of features that makes Lisp more approachable for non-Lispers.
  6. The downside of Lisp’s simple, regular syntax, at least for beginners, is Lisp’s fixation on parentheses and on lists as the core data type. Clojure offers an interesting combination of features that makes Lisp more approachable for non-Lispers.
  7. The downside of Lisp’s simple, regular syntax, at least for beginners, is Lisp’s fixation on parentheses and on lists as the core data type. Clojure offers an interesting combination of features that makes Lisp more approachable for non-Lispers.
  8. The downside of Lisp’s simple, regular syntax, at least for beginners, is Lisp’s fixation on parentheses and on lists as the core data type. Clojure offers an interesting combination of features that makes Lisp more approachable for non-Lispers.
  9. Note: prefix notation
  10. What are the 7 primitive functions?
  11. When you require a library named clojure.contrib.str-utils, Clojure looks for a file named clojure/contrib/str-utils.clj on the CLASSPATH To avoid having to use the namespace for your library, you have to use refer, like so - (refer &amp;apos;examples/introduction) The use function does both require refer, like so – (use &amp;apos;examples.introduction) o force a library to reload: (use :reload-all &amp;apos;examples.introduction) The :reload-all flag is useful if you are making changes and want to see results without restarting the REPL.
  12. This is barfing because the evaluator has to keep around state for each call due to the expression (* x (factorial (- x 1))) . We need to make this function tail recursive. recur can be thought of as the Clojure operator for looping. Think of it like a function call for the nearest enclosing let or function definition supplied with new variables. Naively we can switch over to using this by doing: user&amp;gt; (defn factorial2 [x] (if (= x 0) 1 (* x (recur (- x 1))))) But this is a compile-time error (which in itself is pretty neat!). java.lang.UnsupportedOperationException: Can only recur from tail position (NO_SOURCE_FILE:4) An accumulator parameter is an extra parameter to a function that&amp;apos;s used to gather intermediate parts of the calculation. If we do this, we can make sure that the recur call is in the tail position. Using an anonymous function we get: (defn factorial3 [x] ((fn [x y] (if (= x 0) y (recur (- x 1) (* x y)))) x 1)) Now when recur is used, it doesn&amp;apos;t need to keep any of the previous stack frame around. This means we can finally calculate factorial 1000000, which begins with 282 and ends with lots of zeros!
  13. Use doc to print the documentation for str: user=&amp;gt; (doc str) ------------------------- clojure.core/str ([] [x] [x &amp; ys]) With no args, returns the empty string. With one arg x, returns x.toString(). (str nil) returns the empty string. With more than one arg, returns the concatenation of the str values of the args. The first line of doc’s output contains the fully qualified name of the function. The next line contains the possible argument lists, generated directly from the code. (Some common argument names and their uses are explained in the sidebar on the following page.) Finally, the remaining lines contain the function’s doc-string, if the function definition included one.