SlideShare uma empresa Scribd logo
1 de 81
Scala
Functional programming for the imperative mind
Scala
Functional programming for the imperative mind

                                    ‘of the nature of or
                                        expressing a
                                         command;
                                       commanding.’
                                        - imperative.
(n.d.).

                                          Dictionary.com
Scala
                      ‘imperative
Functional   programmingisfor the            imperative mind
                  programming a
               programming paradigm
                    that describes
               computation in terms of
               statements that change
                   a program state.’
                  -
Imperative
programming
                       Wikipedia.com
Outline
• Introduction
• Functional programming
• Scala features
• Java to Scala in three steps
• Scala community
• Wrap up
Roots
• Created by Martin Odersky
• Supported by EPFL Switzerland
What is Scala?
A programming language ...

• Runs on JVM  (and .Net)


• Statically typed
• Object Oriented
• Functional
• From scripting to enterprise apps
Scalable language
• Scalable language constructs:
  • Composition ‘in the small’
  • Composition ‘in the large’
• Java interoperability
• Performance on par with Java
Scalable language
• Scalable language constructs:
  • Composition ‘in the small’
  • Composition ‘in the large’
• Java interoperability
• Performance on par with Java



     Fuses functional and object oriented paradigms
What is



Functional
           Programming
Functional programming

• Focus on functions, not state         fx=x+1

• Functions are values                      vs.
• Recursion, not loops                   x=x+1

• Immutability (‘referential transparency’)
• Schools of thought:
    pure and impure (‘pragmatic’)
Functional programming

• Focus on functions, not state         fx=x+1

• Functions are values                      vs.
• Recursion, not loops                   x=x+1

• Immutability (‘referential transparency’)
• Schools of thought:
    pure and impure (‘pragmatic’)
Functional programming

• Focus on functions, not state
• Functions are values                 f g x = g(x)

• Recursion, not loops
• Immutability (‘referential transparency’)
• Schools of thought:
     pure and impure (‘pragmatic’)
Functional programming

• Focus on functions, not state          f0=0
                                         fx=

• Functions are values
                                          f (x - 1)
                                              vs.
• Recursion, not loops                  for(i=x; i>0
                                           ; i--) {

• Immutability (‘referential transparency’)x--; }


• Schools of thought:
     pure and impure (‘pragmatic’)
Functional programming

• Focus on functions, not state
• Functions are values
• Recursion, not loops
• Immutability (‘referential transparency’)
• Schools of thought:
     pure and impure (‘pragmatic’)
Functional programming
    Why should I care about FP?
•   Concurrency: FP ‘killer app’
•   Higher order functions: expressiveness boost
•   Type-system: when present, often superior
•   It is coming to a language near you
    (C#, Java 8?)
FP in Scala

• First-class functions: functions are objects
  with pleasing syntax
• Immutability
• Algebraic data-types and pattern matching
• Parametric polymorphism (e.g. generics)
What are



  Scala’s
      Features
Scala is like Java...
(Generic) classes:                         class Foo[T], or:
                                           class Foo[+T]
public class Foo<T>

Methods:
                                           def m(s : String) : Unit = ..
public void m(String s) {..}

Bean properties: private Foo foo;          Real properties:
getFoo() {..}, setFoo(..) {..}             var foo: Foo

                                           Fully interoperable with existing Java
Mature, large amount of proven libraries
                                           code

Class/Interface distinction, single        Abstract classes, traits (restricted
inheritance.                               multiple inheritance)
Pure object orientation
No primitive types:
Pure object orientation
No primitive types:
Pure object orientation
Every operation is a method call:
              1+3           1.+(3)
Pure object orientation
 Every operation is a method call:
                1+3          1.+(3)
Console.println(“hi”)       Console println “hi”
Pure object orientation
 Every operation is a method call:
                1+3           1.+(3)
Console.println(“hi”)        Console println “hi”

         Since operators are methods,
         operator overloading is trivial.
Pure object orientation
 Every operation is a method call:
                1+3          1.+(3)
Console.println(“hi”)       Console println “hi”
Pure object orientation
 Every operation is a method call:
                1+3          1.+(3)
Console.println(“hi”)       Console println “hi”
Pure object orientation
No static members, but singleton objects:
Type inference
• Types may be omitted in declarations




• Does not mean there is no type!
• Inference is local only
• Var/val: mutable vs. immutable
Type inference
Everything is an expression
Everything is an expression
Everything is an expression
Everything is an expression
Functional objects
• Functions are first-class values
• Function literals:
Functional objects
• Functions are first-class values
• Function literals:
    (x: Int) => x * 2
Functional objects
• Functions are first-class values
• Function literals:
    (x: Int) => x * 2
    val double = (x: Int) => x * 2
Functional objects
• Functions are first-class values
• Function literals:
    (x: Int) => x * 2
    val double = (x: Int) => x * 2
    double(2) == 4

        What is the type of double?
Functional types
val double = (x: Int) => x * 2
        has type
(Int) => Int
Functional types
val double = (x: Int) => x * 2
        has type
(Int) => Int            Function1[Int,Int]
Passing functions
Since functions are values, we can
        pass them around:
Passing functions
But we can do this with anonymous classes...
Passing functions
But we can do this with anonymous classes...
Passing functions
But we can do this with anonymous classes...
Passing functions
  But we can do this with anonymous classes...
  Well, sort of... but:
• You need explicit interfaces (no function types)
• Verbose
• Doesn’t scale (syntactically and semantically)
• No true closures:
Passing functions
  But we can do this with anonymous classes...
  Well, sort of... but:
• You need explicit interfaces (no function types)
• Verbose
• Doesn’t scale (syntactically and semantically)
• No true closures:
Traits
• Compare trait with abstract class
• No interfaces, but: completely abstract traits
• Can mixin multiple traits, statically and
  dynamically
Traits as rich interfaces
Java interfaces have two consumers with
conflicting interests:
 1) Implementors
 2) Users
Traits as rich interfaces
Java interfaces have two consumers with
conflicting interests:
 1) Implementors
 2) Users
Traits as stackable
         modications
• Situation: IntQueue interface (abstract trait),
  
 IntQueueImpl implementation
• We want to add logging and filtering to any
  IntQueue implementation
Traits as stackable
         modications
• Situation: IntQueue interface (abstract trait),
  
 IntQueueImpl implementation
• We want to add logging and filtering to any
  IntQueue implementation
Traits as stackable
         modications
• Situation: IntQueue interface (abstract trait),
  
 IntQueueImpl implementation
• We want to add logging and filtering to any
  IntQueue implementation
Pattern matching
Pattern matching
Pattern matching




    Yes, it prints 9
Pattern matching
• No more instanceof/typecasts
• No more visitor pattern
Pattern matching
• No more instanceof/typecasts
• No more visitor pattern
       No more NullPointerException:
Pattern matching & XML
• Scala has XML literals, can be matched
• Other literals can be matched as well
Language feature or




            Library
                      Support
Actors
• Message-based concurrency
• Actors exchange immutable messages
• Extract them by pattern matching
Actors
• Message-based concurrency
• Actors exchange immutable messages
• Extract them by pattern matching



 Looks like language feature, but is a library
Other library features
• Enums
• Map ‘syntax’
• Events
• Using ‘keyword’ (e.g. Java 7 ‘automatic
  resource management.’)
• Virtually all other Project Coin proposals
Other library features
• Enums
• Map ‘syntax’
• Events
• Using ‘keyword’ (e.g. Java 7 ‘automatic
  resource management.’)
• Virtually all other Project Coin proposals
Other library features
• Enums
• Map ‘syntax’
• Events
• Using ‘keyword’ (e.g. Java 7 ‘automatic
  resource management.’)
• Virtually all other Project Coin proposals
Other library features
• Enums
• Map ‘syntax’
• Events
• Using ‘keyword’ (e.g. Java 7 ‘automatic
  resource management.’)
• Virtually all other Project Coin proposals
     Lesson: choose language core wisely,
                        all else will follow...
Lift webframework
In own words:
   ✓Seaside's highly granular sessions and security
   ✓Rails fast flash-to-bang
   ✓Django's quot;more than just CRUD is includedquot;
   ✓Wicket's designer-friendly templating style
• Heavy use of actors for async features
• Integrated O/R mapping (surprisingly little
  boilerplate code)
From Java to Scala


            In
       Three steps
Requirements
•   Person entity with age
    property

•   Method to separate
    minors and adults

•   Input: List[Person]

•   Output: list of minors,
    list of adults

•   One pass over input
Requirements
•   Person entity with age
    property

•   Method to separate
    minors and adults

•   Input: List[Person]

•   Output: list of minors,
    list of adults

•   One pass over input
What happens in the



    Scala
       Community
Scala progression

• Current version: 2.7.4
• Version 2.8 beta coming up:
 •   Package objects

 •   Named and default parameters

 •   Many library improvements
Tool support
•   Major IDEs (Eclipse,
    IntelliJ, NetBeans)
    supported

•   Maven support

•   Scaladoc

•   SBaz package manager
Wrapping up with




     Concluding
                   Remarks
Scala hitting mainstream?
Reports of rst switchers
   Twitter, SAP, LinkedIn, Sony Pictures
Scala hitting mainstream?
Reports of rst switchers
   Twitter, SAP, LinkedIn, Sony Pictures
April 2009: top-30 of TIOBE index
Scala hitting mainstream?
Reports of rst switchers
   Twitter, SAP, LinkedIn, Sony Pictures
April 2009: top-30 of TIOBE index
Lots of books appearing
Scala hitting mainstream?

“If I were to pick a language today
other than Java, it would be Scala”




                  James Gosling,
                     ‘Father of Java’
Scala hitting mainstream?
   “If Java programmers want to use
   features that aren't present in the
language, I think they're probably best
off using another language that targets
  the JVM, such a Scala and Groovy.”




                    Joshua Bloch
                 Author of ‘Effective Java’
Pro’s and cons
                          • Complexity
• Java interoperability
                          • Java -> Scala
• Hides accidental
  complexity                harder than
                            Scala -> Java
• Expressiveness
                          • Type-system may
• Uniform, extensible       be intimidating
  language
Conclusion
•   Scala feels like ‘cleaned up Java on stereoids’

•   Small core (takes some time to see it as such)
    provides broad options

•   Type inference brings ‘dynamic language’ feel

•   Adoptation growing because of:

    •   Java interoperability

    •   Growing discontent with Java
Conclusion
•   Scala feels like ‘cleaned up Java on stereoids’

•   Small core (takes some time to see it as such)
    provides broad options

•   Type inference brings ‘dynamic language’ feel

•   Adoptation growing because of:

    •   Java interoperability

    •   Growing discontent with Java

    Scala provides deep features, but at the
      same time helps getting things done.
More
  information
 http://www.scala-lang.org

     http://liftweb.net

Article Java Magazine 1/2009
Questions?

Mais conteĂşdo relacionado

Mais procurados

Lesson 02 python keywords and identifiers
Lesson 02   python keywords and identifiersLesson 02   python keywords and identifiers
Lesson 02 python keywords and identifiersNilimesh Halder
 
Core java concepts
Core java  conceptsCore java  concepts
Core java conceptsRam132
 
Vectors in Java
Vectors in JavaVectors in Java
Vectors in JavaAbhilash Nair
 
Class and Objects in Java
Class and Objects in JavaClass and Objects in Java
Class and Objects in JavaSpotle.ai
 
JavaScript Object Oriented Programming Cheat Sheet
JavaScript Object Oriented Programming Cheat SheetJavaScript Object Oriented Programming Cheat Sheet
JavaScript Object Oriented Programming Cheat SheetHDR1001
 
Domain-Driven Design
Domain-Driven DesignDomain-Driven Design
Domain-Driven DesignAndriy Buday
 
Basics of JavaScript
Basics of JavaScriptBasics of JavaScript
Basics of JavaScriptBala Narayanan
 
Gof design pattern
Gof design patternGof design pattern
Gof design patternnaveen kumar
 
Lambda Expressions in Java
Lambda Expressions in JavaLambda Expressions in Java
Lambda Expressions in JavaErhan Bagdemir
 
Data Types, Variables, and Operators
Data Types, Variables, and OperatorsData Types, Variables, and Operators
Data Types, Variables, and OperatorsMarwa Ali Eissa
 
Domain Driven Design Quickly
Domain Driven Design QuicklyDomain Driven Design Quickly
Domain Driven Design QuicklyMariam Hakobyan
 
Java I/o streams
Java I/o streamsJava I/o streams
Java I/o streamsHamid Ghorbani
 
Java annotations
Java annotationsJava annotations
Java annotationsFAROOK Samath
 

Mais procurados (20)

Operators in java
Operators in javaOperators in java
Operators in java
 
Lesson 02 python keywords and identifiers
Lesson 02   python keywords and identifiersLesson 02   python keywords and identifiers
Lesson 02 python keywords and identifiers
 
Core java concepts
Core java  conceptsCore java  concepts
Core java concepts
 
Vectors in Java
Vectors in JavaVectors in Java
Vectors in Java
 
Core java
Core javaCore java
Core java
 
Control statements in java
Control statements in javaControl statements in java
Control statements in java
 
Clean Code
Clean CodeClean Code
Clean Code
 
Python
PythonPython
Python
 
Class and Objects in Java
Class and Objects in JavaClass and Objects in Java
Class and Objects in Java
 
JavaScript Object Oriented Programming Cheat Sheet
JavaScript Object Oriented Programming Cheat SheetJavaScript Object Oriented Programming Cheat Sheet
JavaScript Object Oriented Programming Cheat Sheet
 
Domain-Driven Design
Domain-Driven DesignDomain-Driven Design
Domain-Driven Design
 
Basics of JavaScript
Basics of JavaScriptBasics of JavaScript
Basics of JavaScript
 
Gof design pattern
Gof design patternGof design pattern
Gof design pattern
 
Lambda Expressions in Java
Lambda Expressions in JavaLambda Expressions in Java
Lambda Expressions in Java
 
Data Types, Variables, and Operators
Data Types, Variables, and OperatorsData Types, Variables, and Operators
Data Types, Variables, and Operators
 
Domain Driven Design Quickly
Domain Driven Design QuicklyDomain Driven Design Quickly
Domain Driven Design Quickly
 
Java I/o streams
Java I/o streamsJava I/o streams
Java I/o streams
 
Java Collections
Java  Collections Java  Collections
Java Collections
 
Java annotations
Java annotationsJava annotations
Java annotations
 
1z0-808-certification-questions-sample
1z0-808-certification-questions-sample1z0-808-certification-questions-sample
1z0-808-certification-questions-sample
 

Destaque

Introduction to Functional Programming with Scala
Introduction to Functional Programming with ScalaIntroduction to Functional Programming with Scala
Introduction to Functional Programming with Scalapramode_ce
 
Functional Programming Fundamentals
Functional Programming FundamentalsFunctional Programming Fundamentals
Functional Programming FundamentalsShahriar Hyder
 
Introduction to Monads in Scala (1)
Introduction to Monads in Scala (1)Introduction to Monads in Scala (1)
Introduction to Monads in Scala (1)stasimus
 
Developers Summit 2015 - Scala Monad
Developers Summit 2015 - Scala MonadDevelopers Summit 2015 - Scala Monad
Developers Summit 2015 - Scala MonadSangwon Han
 
Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009Martin Odersky
 
Advanced Functional Programming in Scala
Advanced Functional Programming in ScalaAdvanced Functional Programming in Scala
Advanced Functional Programming in ScalaPatrick Nicolas
 
Java 8 - functional features
Java 8 - functional featuresJava 8 - functional features
Java 8 - functional featuresRafal Rybacki
 
Elements of functional programming
Elements of functional programmingElements of functional programming
Elements of functional programmingSajjad Ali Pulikkanat
 
Object oriented-programming-vs-procedural-programming
Object oriented-programming-vs-procedural-programmingObject oriented-programming-vs-procedural-programming
Object oriented-programming-vs-procedural-programmingkukurmutta
 
Why functional why scala
Why functional  why scala Why functional  why scala
Why functional why scala Neville Li
 
Scala the language matters
Scala the language mattersScala the language matters
Scala the language mattersXiaojun REN
 
Introduction to Monads in Scala (2)
Introduction to Monads in Scala (2)Introduction to Monads in Scala (2)
Introduction to Monads in Scala (2)stasimus
 
Monad presentation scala as a category
Monad presentation   scala as a categoryMonad presentation   scala as a category
Monad presentation scala as a categorysamthemonad
 
Zaharia spark-scala-days-2012
Zaharia spark-scala-days-2012Zaharia spark-scala-days-2012
Zaharia spark-scala-days-2012Skills Matter Talks
 
Introduction to scala for a c programmer
Introduction to scala for a c programmerIntroduction to scala for a c programmer
Introduction to scala for a c programmerGirish Kumar A L
 
Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)Denny Lee
 
Thinking functional-in-scala
Thinking functional-in-scalaThinking functional-in-scala
Thinking functional-in-scalaKnoldus Inc.
 
Introduction to Option monad in Scala
Introduction to Option monad in ScalaIntroduction to Option monad in Scala
Introduction to Option monad in ScalaJan Krag
 
Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...
Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...
Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...Databricks
 

Destaque (20)

Introduction to Functional Programming with Scala
Introduction to Functional Programming with ScalaIntroduction to Functional Programming with Scala
Introduction to Functional Programming with Scala
 
Functional Programming Fundamentals
Functional Programming FundamentalsFunctional Programming Fundamentals
Functional Programming Fundamentals
 
Introduction to Monads in Scala (1)
Introduction to Monads in Scala (1)Introduction to Monads in Scala (1)
Introduction to Monads in Scala (1)
 
Developers Summit 2015 - Scala Monad
Developers Summit 2015 - Scala MonadDevelopers Summit 2015 - Scala Monad
Developers Summit 2015 - Scala Monad
 
Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009Scala Talk at FOSDEM 2009
Scala Talk at FOSDEM 2009
 
Advanced Functional Programming in Scala
Advanced Functional Programming in ScalaAdvanced Functional Programming in Scala
Advanced Functional Programming in Scala
 
Java 8 - functional features
Java 8 - functional featuresJava 8 - functional features
Java 8 - functional features
 
Elements of functional programming
Elements of functional programmingElements of functional programming
Elements of functional programming
 
Object oriented-programming-vs-procedural-programming
Object oriented-programming-vs-procedural-programmingObject oriented-programming-vs-procedural-programming
Object oriented-programming-vs-procedural-programming
 
Why functional why scala
Why functional  why scala Why functional  why scala
Why functional why scala
 
Scala the language matters
Scala the language mattersScala the language matters
Scala the language matters
 
Introduction to Monads in Scala (2)
Introduction to Monads in Scala (2)Introduction to Monads in Scala (2)
Introduction to Monads in Scala (2)
 
Monad presentation scala as a category
Monad presentation   scala as a categoryMonad presentation   scala as a category
Monad presentation scala as a category
 
Zaharia spark-scala-days-2012
Zaharia spark-scala-days-2012Zaharia spark-scala-days-2012
Zaharia spark-scala-days-2012
 
Introduction to scala for a c programmer
Introduction to scala for a c programmerIntroduction to scala for a c programmer
Introduction to scala for a c programmer
 
Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)
 
Apache hive
Apache hiveApache hive
Apache hive
 
Thinking functional-in-scala
Thinking functional-in-scalaThinking functional-in-scala
Thinking functional-in-scala
 
Introduction to Option monad in Scala
Introduction to Option monad in ScalaIntroduction to Option monad in Scala
Introduction to Option monad in Scala
 
Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...
Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...
Performance Optimization Case Study: Shattering Hadoop's Sort Record with Spa...
 

Semelhante a Scala: functional programming for the imperative mind

javascript teach
javascript teachjavascript teach
javascript teachguest3732fa
 
JSBootcamp_White
JSBootcamp_WhiteJSBootcamp_White
JSBootcamp_Whiteguest3732fa
 
LISP: How I Learned To Stop Worrying And Love Parantheses
LISP: How I Learned To Stop Worrying And Love ParanthesesLISP: How I Learned To Stop Worrying And Love Parantheses
LISP: How I Learned To Stop Worrying And Love ParanthesesDominic Graefen
 
Introduction Functional Programming - Tech Hangout #11 - 2013.01.16
Introduction Functional Programming - Tech Hangout #11 - 2013.01.16Introduction Functional Programming - Tech Hangout #11 - 2013.01.16
Introduction Functional Programming - Tech Hangout #11 - 2013.01.16Innovecs
 
Functional programming with Java 8
Functional programming with Java 8Functional programming with Java 8
Functional programming with Java 8Talha OcakçĹ
 
Introduction to functional programming (In Arabic)
Introduction to functional programming (In Arabic)Introduction to functional programming (In Arabic)
Introduction to functional programming (In Arabic)Omar Abdelhafith
 
Introductiontoprogramminginscala
IntroductiontoprogramminginscalaIntroductiontoprogramminginscala
IntroductiontoprogramminginscalaAmuhinda Hungai
 
Programming Android Application in Scala.
Programming Android Application in Scala.Programming Android Application in Scala.
Programming Android Application in Scala.Brian Hsu
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdfHiroshi Ono
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdfHiroshi Ono
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdfHiroshi Ono
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdfHiroshi Ono
 
Introduction to java 101
Introduction to java 101Introduction to java 101
Introduction to java 101kankemwa Ishaku
 
An Introduction to Scala - Blending OO and Functional Paradigms
An Introduction to Scala - Blending OO and Functional ParadigmsAn Introduction to Scala - Blending OO and Functional Paradigms
An Introduction to Scala - Blending OO and Functional ParadigmsMiles Sabin
 
Introduction to Erlang Programming Language
Introduction to Erlang Programming LanguageIntroduction to Erlang Programming Language
Introduction to Erlang Programming LanguageYasas Gunarathne
 
Functional programming in Scala
Functional programming in ScalaFunctional programming in Scala
Functional programming in Scaladatamantra
 
javascript
javascript javascript
javascript Kaya Ota
 

Semelhante a Scala: functional programming for the imperative mind (20)

javascript teach
javascript teachjavascript teach
javascript teach
 
JSBootcamp_White
JSBootcamp_WhiteJSBootcamp_White
JSBootcamp_White
 
LISP: How I Learned To Stop Worrying And Love Parantheses
LISP: How I Learned To Stop Worrying And Love ParanthesesLISP: How I Learned To Stop Worrying And Love Parantheses
LISP: How I Learned To Stop Worrying And Love Parantheses
 
Introductory func prog
Introductory func progIntroductory func prog
Introductory func prog
 
Introduction Functional Programming - Tech Hangout #11 - 2013.01.16
Introduction Functional Programming - Tech Hangout #11 - 2013.01.16Introduction Functional Programming - Tech Hangout #11 - 2013.01.16
Introduction Functional Programming - Tech Hangout #11 - 2013.01.16
 
Functional programming with Java 8
Functional programming with Java 8Functional programming with Java 8
Functional programming with Java 8
 
Introduction to functional programming (In Arabic)
Introduction to functional programming (In Arabic)Introduction to functional programming (In Arabic)
Introduction to functional programming (In Arabic)
 
Introductiontoprogramminginscala
IntroductiontoprogramminginscalaIntroductiontoprogramminginscala
Introductiontoprogramminginscala
 
Programming Android Application in Scala.
Programming Android Application in Scala.Programming Android Application in Scala.
Programming Android Application in Scala.
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdf
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdf
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdf
 
scalaliftoff2009.pdf
scalaliftoff2009.pdfscalaliftoff2009.pdf
scalaliftoff2009.pdf
 
Introduction to java 101
Introduction to java 101Introduction to java 101
Introduction to java 101
 
Scala ntnu
Scala ntnuScala ntnu
Scala ntnu
 
An Introduction to Scala - Blending OO and Functional Paradigms
An Introduction to Scala - Blending OO and Functional ParadigmsAn Introduction to Scala - Blending OO and Functional Paradigms
An Introduction to Scala - Blending OO and Functional Paradigms
 
Introduction to Erlang Programming Language
Introduction to Erlang Programming LanguageIntroduction to Erlang Programming Language
Introduction to Erlang Programming Language
 
Java 101
Java 101Java 101
Java 101
 
Functional programming in Scala
Functional programming in ScalaFunctional programming in Scala
Functional programming in Scala
 
javascript
javascript javascript
javascript
 

Mais de Sander Mak (@Sander_Mak)

Scalable Application Development @ Picnic
Scalable Application Development @ PicnicScalable Application Development @ Picnic
Scalable Application Development @ PicnicSander Mak (@Sander_Mak)
 
Event-sourced architectures with Akka
Event-sourced architectures with AkkaEvent-sourced architectures with Akka
Event-sourced architectures with AkkaSander Mak (@Sander_Mak)
 
TypeScript: coding JavaScript without the pain
TypeScript: coding JavaScript without the painTypeScript: coding JavaScript without the pain
TypeScript: coding JavaScript without the painSander Mak (@Sander_Mak)
 
The Ultimate Dependency Manager Shootout (QCon NY 2014)
The Ultimate Dependency Manager Shootout (QCon NY 2014)The Ultimate Dependency Manager Shootout (QCon NY 2014)
The Ultimate Dependency Manager Shootout (QCon NY 2014)Sander Mak (@Sander_Mak)
 
Cross-Build Injection attacks: how safe is your Java build?
Cross-Build Injection attacks: how safe is your Java build?Cross-Build Injection attacks: how safe is your Java build?
Cross-Build Injection attacks: how safe is your Java build?Sander Mak (@Sander_Mak)
 
Hibernate Performance Tuning (JEEConf 2012)
Hibernate Performance Tuning (JEEConf 2012)Hibernate Performance Tuning (JEEConf 2012)
Hibernate Performance Tuning (JEEConf 2012)Sander Mak (@Sander_Mak)
 

Mais de Sander Mak (@Sander_Mak) (20)

Scalable Application Development @ Picnic
Scalable Application Development @ PicnicScalable Application Development @ Picnic
Scalable Application Development @ Picnic
 
Coding Your Way to Java 13
Coding Your Way to Java 13Coding Your Way to Java 13
Coding Your Way to Java 13
 
Coding Your Way to Java 12
Coding Your Way to Java 12Coding Your Way to Java 12
Coding Your Way to Java 12
 
Java Modularity: the Year After
Java Modularity: the Year AfterJava Modularity: the Year After
Java Modularity: the Year After
 
Desiging for Modularity with Java 9
Desiging for Modularity with Java 9Desiging for Modularity with Java 9
Desiging for Modularity with Java 9
 
Modules or microservices?
Modules or microservices?Modules or microservices?
Modules or microservices?
 
Migrating to Java 9 Modules
Migrating to Java 9 ModulesMigrating to Java 9 Modules
Migrating to Java 9 Modules
 
Java 9 Modularity in Action
Java 9 Modularity in ActionJava 9 Modularity in Action
Java 9 Modularity in Action
 
Java modularity: life after Java 9
Java modularity: life after Java 9Java modularity: life after Java 9
Java modularity: life after Java 9
 
Provisioning the IoT
Provisioning the IoTProvisioning the IoT
Provisioning the IoT
 
Event-sourced architectures with Akka
Event-sourced architectures with AkkaEvent-sourced architectures with Akka
Event-sourced architectures with Akka
 
TypeScript: coding JavaScript without the pain
TypeScript: coding JavaScript without the painTypeScript: coding JavaScript without the pain
TypeScript: coding JavaScript without the pain
 
The Ultimate Dependency Manager Shootout (QCon NY 2014)
The Ultimate Dependency Manager Shootout (QCon NY 2014)The Ultimate Dependency Manager Shootout (QCon NY 2014)
The Ultimate Dependency Manager Shootout (QCon NY 2014)
 
Modular JavaScript
Modular JavaScriptModular JavaScript
Modular JavaScript
 
Modularity in the Cloud
Modularity in the CloudModularity in the Cloud
Modularity in the Cloud
 
Cross-Build Injection attacks: how safe is your Java build?
Cross-Build Injection attacks: how safe is your Java build?Cross-Build Injection attacks: how safe is your Java build?
Cross-Build Injection attacks: how safe is your Java build?
 
Scala & Lift (JEEConf 2012)
Scala & Lift (JEEConf 2012)Scala & Lift (JEEConf 2012)
Scala & Lift (JEEConf 2012)
 
Hibernate Performance Tuning (JEEConf 2012)
Hibernate Performance Tuning (JEEConf 2012)Hibernate Performance Tuning (JEEConf 2012)
Hibernate Performance Tuning (JEEConf 2012)
 
Akka (BeJUG)
Akka (BeJUG)Akka (BeJUG)
Akka (BeJUG)
 
Fork Join (BeJUG 2012)
Fork Join (BeJUG 2012)Fork Join (BeJUG 2012)
Fork Join (BeJUG 2012)
 

Último

Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsTop 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsRoshan Dwivedi
 
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
 
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
 
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...gurkirankumar98700
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationMichael W. Hawkins
 
Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Allon Mureinik
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...Neo4j
 
Factors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptxFactors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptxKatpro Technologies
 
Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...
Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...
Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...Neo4j
 
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
 
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
 
Breaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path MountBreaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path MountPuma Security, LLC
 
Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Paola De la Torre
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024The Digital Insurer
 
IAC 2024 - IA Fast Track to Search Focused AI Solutions
IAC 2024 - IA Fast Track to Search Focused AI SolutionsIAC 2024 - IA Fast Track to Search Focused AI Solutions
IAC 2024 - IA Fast Track to Search Focused AI SolutionsEnterprise Knowledge
 
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
 
How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerThousandEyes
 
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEarley Information Science
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationSafe Software
 

Último (20)

Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsTop 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
 
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
 
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 🐘
 
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day Presentation
 
Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
 
Factors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptxFactors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptx
 
Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...
Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...
Neo4j - How KGs are shaping the future of Generative AI at AWS Summit London ...
 
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
 
Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024
 
Breaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path MountBreaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path Mount
 
Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024
 
IAC 2024 - IA Fast Track to Search Focused AI Solutions
IAC 2024 - IA Fast Track to Search Focused AI SolutionsIAC 2024 - IA Fast Track to Search Focused AI Solutions
IAC 2024 - IA Fast Track to Search Focused AI Solutions
 
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
 
How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected Worker
 
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
 

Scala: functional programming for the imperative mind

  • 1. Scala Functional programming for the imperative mind
  • 2. Scala Functional programming for the imperative mind ‘of the nature of or expressing a command; commanding.’ - imperative.
(n.d.).
 Dictionary.com
  • 3. Scala ‘imperative Functional programmingisfor the imperative mind programming a programming paradigm that describes computation in terms of statements that change a program state.’ -
Imperative
programming Wikipedia.com
  • 4. Outline • Introduction • Functional programming • Scala features • Java to Scala in three steps • Scala community • Wrap up
  • 5. Roots • Created by Martin Odersky • Supported by EPFL Switzerland
  • 6. What is Scala? A programming language ... • Runs on JVM (and .Net) • Statically typed • Object Oriented • Functional • From scripting to enterprise apps
  • 7. Scalable language • Scalable language constructs: • Composition ‘in the small’ • Composition ‘in the large’ • Java interoperability • Performance on par with Java
  • 8. Scalable language • Scalable language constructs: • Composition ‘in the small’ • Composition ‘in the large’ • Java interoperability • Performance on par with Java Fuses functional and object oriented paradigms
  • 9. What is Functional Programming
  • 10. Functional programming • Focus on functions, not state fx=x+1 • Functions are values vs. • Recursion, not loops x=x+1 • Immutability (‘referential transparency’) • Schools of thought: pure and impure (‘pragmatic’)
  • 11. Functional programming • Focus on functions, not state fx=x+1 • Functions are values vs. • Recursion, not loops x=x+1 • Immutability (‘referential transparency’) • Schools of thought: pure and impure (‘pragmatic’)
  • 12. Functional programming • Focus on functions, not state • Functions are values f g x = g(x) • Recursion, not loops • Immutability (‘referential transparency’) • Schools of thought: pure and impure (‘pragmatic’)
  • 13. Functional programming • Focus on functions, not state f0=0 fx= • Functions are values f (x - 1) vs. • Recursion, not loops for(i=x; i>0 ; i--) { • Immutability (‘referential transparency’)x--; } • Schools of thought: pure and impure (‘pragmatic’)
  • 14. Functional programming • Focus on functions, not state • Functions are values • Recursion, not loops • Immutability (‘referential transparency’) • Schools of thought: pure and impure (‘pragmatic’)
  • 15. Functional programming Why should I care about FP? • Concurrency: FP ‘killer app’ • Higher order functions: expressiveness boost • Type-system: when present, often superior • It is coming to a language near you (C#, Java 8?)
  • 16. FP in Scala • First-class functions: functions are objects with pleasing syntax • Immutability • Algebraic data-types and pattern matching • Parametric polymorphism (e.g. generics)
  • 17. What are Scala’s Features
  • 18. Scala is like Java... (Generic) classes: class Foo[T], or: class Foo[+T] public class Foo<T> Methods: def m(s : String) : Unit = .. public void m(String s) {..} Bean properties: private Foo foo; Real properties: getFoo() {..}, setFoo(..) {..} var foo: Foo Fully interoperable with existing Java Mature, large amount of proven libraries code Class/Interface distinction, single Abstract classes, traits (restricted inheritance. multiple inheritance)
  • 19. Pure object orientation No primitive types:
  • 20. Pure object orientation No primitive types:
  • 21. Pure object orientation Every operation is a method call: 1+3 1.+(3)
  • 22. Pure object orientation Every operation is a method call: 1+3 1.+(3) Console.println(“hi”) Console println “hi”
  • 23. Pure object orientation Every operation is a method call: 1+3 1.+(3) Console.println(“hi”) Console println “hi” Since operators are methods, operator overloading is trivial.
  • 24. Pure object orientation Every operation is a method call: 1+3 1.+(3) Console.println(“hi”) Console println “hi”
  • 25. Pure object orientation Every operation is a method call: 1+3 1.+(3) Console.println(“hi”) Console println “hi”
  • 26. Pure object orientation No static members, but singleton objects:
  • 27. Type inference • Types may be omitted in declarations • Does not mean there is no type! • Inference is local only • Var/val: mutable vs. immutable
  • 29. Everything is an expression
  • 30. Everything is an expression
  • 31. Everything is an expression
  • 32. Everything is an expression
  • 33. Functional objects • Functions are rst-class values • Function literals:
  • 34. Functional objects • Functions are rst-class values • Function literals: (x: Int) => x * 2
  • 35. Functional objects • Functions are rst-class values • Function literals: (x: Int) => x * 2 val double = (x: Int) => x * 2
  • 36. Functional objects • Functions are rst-class values • Function literals: (x: Int) => x * 2 val double = (x: Int) => x * 2 double(2) == 4 What is the type of double?
  • 37. Functional types val double = (x: Int) => x * 2 has type (Int) => Int
  • 38. Functional types val double = (x: Int) => x * 2 has type (Int) => Int Function1[Int,Int]
  • 39. Passing functions Since functions are values, we can pass them around:
  • 40. Passing functions But we can do this with anonymous classes...
  • 41. Passing functions But we can do this with anonymous classes...
  • 42. Passing functions But we can do this with anonymous classes...
  • 43. Passing functions But we can do this with anonymous classes... Well, sort of... but: • You need explicit interfaces (no function types) • Verbose • Doesn’t scale (syntactically and semantically) • No true closures:
  • 44. Passing functions But we can do this with anonymous classes... Well, sort of... but: • You need explicit interfaces (no function types) • Verbose • Doesn’t scale (syntactically and semantically) • No true closures:
  • 45. Traits • Compare trait with abstract class • No interfaces, but: completely abstract traits • Can mixin multiple traits, statically and dynamically
  • 46. Traits as rich interfaces Java interfaces have two consumers with conflicting interests: 1) Implementors 2) Users
  • 47. Traits as rich interfaces Java interfaces have two consumers with conflicting interests: 1) Implementors 2) Users
  • 48. Traits as stackable modications • Situation: IntQueue interface (abstract trait), IntQueueImpl implementation • We want to add logging and ltering to any IntQueue implementation
  • 49. Traits as stackable modications • Situation: IntQueue interface (abstract trait), IntQueueImpl implementation • We want to add logging and ltering to any IntQueue implementation
  • 50. Traits as stackable modications • Situation: IntQueue interface (abstract trait), IntQueueImpl implementation • We want to add logging and ltering to any IntQueue implementation
  • 53. Pattern matching Yes, it prints 9
  • 54. Pattern matching • No more instanceof/typecasts • No more visitor pattern
  • 55. Pattern matching • No more instanceof/typecasts • No more visitor pattern No more NullPointerException:
  • 56. Pattern matching & XML • Scala has XML literals, can be matched • Other literals can be matched as well
  • 57. Language feature or Library Support
  • 58. Actors • Message-based concurrency • Actors exchange immutable messages • Extract them by pattern matching
  • 59. Actors • Message-based concurrency • Actors exchange immutable messages • Extract them by pattern matching Looks like language feature, but is a library
  • 60. Other library features • Enums • Map ‘syntax’ • Events • Using ‘keyword’ (e.g. Java 7 ‘automatic resource management.’) • Virtually all other Project Coin proposals
  • 61. Other library features • Enums • Map ‘syntax’ • Events • Using ‘keyword’ (e.g. Java 7 ‘automatic resource management.’) • Virtually all other Project Coin proposals
  • 62. Other library features • Enums • Map ‘syntax’ • Events • Using ‘keyword’ (e.g. Java 7 ‘automatic resource management.’) • Virtually all other Project Coin proposals
  • 63. Other library features • Enums • Map ‘syntax’ • Events • Using ‘keyword’ (e.g. Java 7 ‘automatic resource management.’) • Virtually all other Project Coin proposals Lesson: choose language core wisely, all else will follow...
  • 64. Lift webframework In own words: ✓Seaside's highly granular sessions and security ✓Rails fast flash-to-bang ✓Django's quot;more than just CRUD is includedquot; ✓Wicket's designer-friendly templating style • Heavy use of actors for async features • Integrated O/R mapping (surprisingly little boilerplate code)
  • 65. From Java to Scala In Three steps
  • 66. Requirements • Person entity with age property • Method to separate minors and adults • Input: List[Person] • Output: list of minors, list of adults • One pass over input
  • 67. Requirements • Person entity with age property • Method to separate minors and adults • Input: List[Person] • Output: list of minors, list of adults • One pass over input
  • 68. What happens in the Scala Community
  • 69. Scala progression • Current version: 2.7.4 • Version 2.8 beta coming up: • Package objects • Named and default parameters • Many library improvements
  • 70. Tool support • Major IDEs (Eclipse, IntelliJ, NetBeans) supported • Maven support • Scaladoc • SBaz package manager
  • 71. Wrapping up with Concluding Remarks
  • 72. Scala hitting mainstream? Reports of rst switchers Twitter, SAP, LinkedIn, Sony Pictures
  • 73. Scala hitting mainstream? Reports of rst switchers Twitter, SAP, LinkedIn, Sony Pictures April 2009: top-30 of TIOBE index
  • 74. Scala hitting mainstream? Reports of rst switchers Twitter, SAP, LinkedIn, Sony Pictures April 2009: top-30 of TIOBE index Lots of books appearing
  • 75. Scala hitting mainstream? “If I were to pick a language today other than Java, it would be Scala” James Gosling, ‘Father of Java’
  • 76. Scala hitting mainstream? “If Java programmers want to use features that aren't present in the language, I think they're probably best off using another language that targets the JVM, such a Scala and Groovy.” Joshua Bloch Author of ‘Effective Java’
  • 77. Pro’s and cons • Complexity • Java interoperability • Java -> Scala • Hides accidental complexity harder than Scala -> Java • Expressiveness • Type-system may • Uniform, extensible be intimidating language
  • 78. Conclusion • Scala feels like ‘cleaned up Java on stereoids’ • Small core (takes some time to see it as such) provides broad options • Type inference brings ‘dynamic language’ feel • Adoptation growing because of: • Java interoperability • Growing discontent with Java
  • 79. Conclusion • Scala feels like ‘cleaned up Java on stereoids’ • Small core (takes some time to see it as such) provides broad options • Type inference brings ‘dynamic language’ feel • Adoptation growing because of: • Java interoperability • Growing discontent with Java Scala provides deep features, but at the same time helps getting things done.
  • 80. More information http://www.scala-lang.org http://liftweb.net Article Java Magazine 1/2009

Notas do Editor

  1. Intro, gaan het hebben over Scala Wellicht al eens gehoord over FP, lijkt groeiende interesse wat is imperatief? Ook wel procedureel, met state, het is wat we in Java eigenlijk doen.
  2. Intro, gaan het hebben over Scala Wellicht al eens gehoord over FP, lijkt groeiende interesse wat is imperatief? Ook wel procedureel, met state, het is wat we in Java eigenlijk doen.
  3. Intro, gaan het hebben over Scala Wellicht al eens gehoord over FP, lijkt groeiende interesse wat is imperatief? Ook wel procedureel, met state, het is wat we in Java eigenlijk doen.
  4. Odersky: co-designer generics, original author javac. Wellicht had hier oracle logo moeten staan :)
  5. *Voordelen JVM (enorm veel tijd in optimalisatie, platform agnostisch etc.), ook wat nadelen (niet echt ingericht op FP constructies). * OO, maar dan ook puur, en met extra functionaliteit * Scripting: REPL shell
  6. Scala redelijk uniek in samenvoegen OO+FP OCaml en F# zijn toch meer FP met een OO systeem er aan geplakt.
  7. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  8. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  9. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  10. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  11. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  12. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  13. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  14. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  15. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  16. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  17. Recursie niet alleen in functies, ook in data (bomen, lijsten)
  18. Nieuwe paradigma&#x2019;s hebben killer-app nodig OO had GUIs, bij FP concurrency? Typesysteem: niet noodzakelijk voor FP, traditioneel wel focus
  19. Zonder diep in te gaan, voor we features gaan bekijken, dit is hoe Scala FP bevat.
  20. *default modifier is public *Type after identifier, type Unit == void *zowel Scala->Java als Java->Scala interop. Dus, elkaars classes instantieren overerven etc. *Abstract class ipv interfaces
  21. Extenden van Java class (extends ook voor interfaces) Type Unit -> void in Java hashCode -> hashCode() , haakjes weglaten. Soort van autoboxing, maar beter
  22. * + is methode naam, kan je zelf op een class implementeren * Leestekens legale identifiers in Scala * Operator notatie ook te gebruiken met &#x2018;normale&#x2019; methode namen * In Java discussie: operator overloadig BigInts (en wat voor matrix etc.)? Scala: just do it.
  23. * + is methode naam, kan je zelf op een class implementeren * Leestekens legale identifiers in Scala * Operator notatie ook te gebruiken met &#x2018;normale&#x2019; methode namen * In Java discussie: operator overloadig BigInts (en wat voor matrix etc.)? Scala: just do it.
  24. * + is methode naam, kan je zelf op een class implementeren * Leestekens legale identifiers in Scala * Operator notatie ook te gebruiken met &#x2018;normale&#x2019; methode namen * In Java discussie: operator overloadig BigInts (en wat voor matrix etc.)? Scala: just do it.
  25. * + is methode naam, kan je zelf op een class implementeren * Leestekens legale identifiers in Scala * Operator notatie ook te gebruiken met &#x2018;normale&#x2019; methode namen * In Java discussie: operator overloadig BigInts (en wat voor matrix etc.)? Scala: just do it.
  26. * + is methode naam, kan je zelf op een class implementeren * Leestekens legale identifiers in Scala * Operator notatie ook te gebruiken met &#x2018;normale&#x2019; methode namen * In Java discussie: operator overloadig BigInts (en wat voor matrix etc.)? Scala: just do it.
  27. *Java statics niet echt OO. Scala: Classes->te instantieren, singleton objects->&#xE9;&#xE9;n instantie *Zelfde naam: companions -> toegang tot private members *haakjes mogen weg bij methode aanroep zonder params; puntkomma&#x2019;s ook optioneel! *main methode op object Main, entrypoint applicatie
  28. * Vorige slide goed opgelet: geen return type!
  29. * Zijn natuurlijk allemaal op ISKA over closures geweest, maar toch een opfrisser * Java heeft Anon. classes -> beperkingen, verbose (interface nodig), daarom weinig gebruikt
  30. * Zijn natuurlijk allemaal op ISKA over closures geweest, maar toch een opfrisser * Java heeft Anon. classes -> beperkingen, verbose (interface nodig), daarom weinig gebruikt
  31. * Zijn natuurlijk allemaal op ISKA over closures geweest, maar toch een opfrisser * Java heeft Anon. classes -> beperkingen, verbose (interface nodig), daarom weinig gebruikt
  32. * Zijn natuurlijk allemaal op ISKA over closures geweest, maar toch een opfrisser * Java heeft Anon. classes -> beperkingen, verbose (interface nodig), daarom weinig gebruikt
  33. * Function0 tot Function22 op deze manier beschikbaar
  34. * Function0 tot Function22 op deze manier beschikbaar
  35. * Function0 tot Function22 op deze manier beschikbaar
  36. * Function0 tot Function22 op deze manier beschikbaar
  37. * Function0 tot Function22 op deze manier beschikbaar
  38. * Function0 tot Function22 op deze manier beschikbaar
  39. * Function0 tot Function22 op deze manier beschikbaar
  40. Scala gaat nog verder, zelf control structures maken (by-name params)
  41. * First trait/class with extends, then 0 or more times with * Traits can have any member: defs, abstract defs, fields traits can extend from each other
  42. * Traits are used in this fashion a lot for the Scala collection libs
  43. * abstract override: target of super not known at design-time! * calls resolve right-to-left * selftype annotation: type of this can assume type of class where trait is mixed in!
  44. * abstract override: target of super not known at design-time! * calls resolve right-to-left * selftype annotation: type of this can assume type of class where trait is mixed in!
  45. * abstract override: target of super not known at design-time! * calls resolve right-to-left * selftype annotation: type of this can assume type of class where trait is mixed in!
  46. * geen new keyword nodig: case class is class + companion object met apply method! * Sealed abstract class: compiler kan checken of alle cases gedekt zijn
  47. * geen new keyword nodig: case class is class + companion object met apply method! * Sealed abstract class: compiler kan checken of alle cases gedekt zijn
  48. * geen new keyword nodig: case class is class + companion object met apply method! * Sealed abstract class: compiler kan checken of alle cases gedekt zijn
  49. * Twee doelen: selecteren goede case, en binden van variabelen in 1 stap * Java kent heeeel beperkte pattern matching: catch-clauses * Geen NPE: helaas heeft Scala wel null, vanwege compatibility -> tradeoff * voorbeelden van option: Map.get, List.find, parseInt, etc.
  50. * Twee doelen: selecteren goede case, en binden van variabelen in 1 stap * Java kent heeeel beperkte pattern matching: catch-clauses * Geen NPE: helaas heeft Scala wel null, vanwege compatibility -> tradeoff * voorbeelden van option: Map.get, List.find, parseInt, etc.
  51. * match is an expression too
  52. * Of course case objects can be used to implement enums
  53. * Of course case objects can be used to implement enums
  54. * Of course case objects can be used to implement enums
  55. * Of course case objects can be used to implement enums
  56. * Of course case objects can be used to implement enums
  57. Ook test frameworks
  58. Proberen stukje realworld code van Java->Scala als Java programmeur->Idiomatische Scala
  59. * TIOBE top-30: beating Groovy, Haskell
  60. * TIOBE top-30: beating Groovy, Haskell
  61. Java -> Scala voorbeeld: een Scala - methode wordt vertaald naar $minus$. Veel conventies voor compiler gegenereerde classes.