SlideShare a Scribd company logo
Getting Started with Scala

  Vikas Hazrati - vhazrati@xebia.com

  Meetu Maltiar - mmaltiar@xebia.com

         OSScamp Delhi 2009
Agenda
I. What is FP and OOP?          I. Features
                                    – Quick comparison
                                      with Java
I. Introducing Scala                – Function Values and
                                      Closures
    – Scalable Languages
                                    – Traits
    – Scala is a Scripting
      language                      – Pattern Matching
    – Scala is Java of future   I. End Notes
    – Scala is OO               - Who is using it ?
    – Scala is Interoperable    - Tool support
                                - Learning resources
I. What is FP and OOP?
What is FP
Is a concept where you can pass functions as
  arguments, to store them in variables, and to
  return them from other functions.
What is OOP?
Object Oriented Programming is
 programming which is oriented
 around objects

Takes advantage of Encapsulation,
 Polymorphism, and Inheritance to
 increase code reuse and decrease
 code maintenance.
Scala: FP and OOP language
Scala is a object oriented and functional programming
  language which is completely interoperable with java

FP: Makes it easy to build interesting things from simple parts, using
    – Higher order functions
    – Algebraic types and pattern matching
    – Parametric polymorphism
OOP: Makes it easy to adopt and extend complex systems using
    – Subtyping and inheritance
    – Dynamic configurations
    – Classes as partial abstractions
II. Introducing Scala
Scalable languages

A language is scalable if it is suitable for very small as well as
   very large programs.

A single language for extension scripts and the heavy lifting.

Application-specific needs are handled through libraries and
  embedded DSL's instead of external languages.

Scala shows that this is possible.




                                                                     8
Scala is a scripting language
It has an interactive read-eval-print-loop (REPL).
Types can be inferred.
Boilerplate is scrapped.
scala> var capital = Map("US" → "Washington", "France" → "Paris")
capital: Map[String, String] = Map(US → Washington, France →
Paris)
scala> capital += ("Japan" → "Tokyo")
scala> capital("France")
res7: String = Paris




                                                                    9
Scala is the Java of the future
It has basically everything Java has now.
    (sometimes in different form)
It has closures.
    (proposed for Java 7, but rejected)
It has traits and pattern matching.
    (do not be surprised to see them in Java 8, 9 or 10)
It compiles to .class files, is completely interoperable and runs about as fast as
    Java


          object App {
            def main(args: Array[String]) {
              if (args exists (_.toLowerCase == "-help"))
                printUsage()
              else
                process(args)
            }
          }



                                                                                 10
Scala is object-oriented

Every value is an object
Every operation is a method call
Exceptions to these rules in Java (such as
 primitive types, statics) are eliminated.
    scala> (1).hashCode
    res8: Int = 1
    scala> (1).+(2)
    res10: Int = 3




                                             11
Interoperability

Scala fits seamlessly into a Java environment
Can call Java methods, select Java fields, inherit Java
  classes, implement Java interfaces, etc.
None of this requires glue code or interface descriptions
Java code can also easily call into Scala code
Scala code resembling Java is translated into virtually
  the same bytecodes.
  ⇒ Performance is usually on a par with Java




                                                       12
III. Scala Features




                      13
Scala compared to Java

Scala adds                 Scala removes
+ a pure object system     - static members
+ operator overloading     - primitive types
+ closures                 - break, continue
+ mixin composition with   - special treatment of
traits                     interfaces
+ existential types        - wildcards
+ abstract types           -   raw types
+ pattern matching         -   enums




                                                    14
Scala cheat sheet (1): Definitions

Scala method definitions:     Java method definition:

def fun(x: Int): Int = {         int fun(int x) {
     result                        return result
   }                             }

def fun = result              (no parameterless methods)

Scala variable definitions:   Java variable definitions:

var x: Int = expression          int x = expression
val x: String = expression    final String x = expression




                                                            15
Scala cheat sheet (2): Objects and
             Classes
Scala Class and Object                Java Class with statics

                                        class Sample {
   class Sample(x: Int, val p: Int)
   {                                    private final int x;
      def instMeth(y: Int) = x + y      public final int p;
   }                                    Sample(int x, int p) {
                                             this.x = x;
                                             this.p = p;
   object Sample {
                                        }
     def staticMeth(x: Int, y: Int)        int instMeth(int y) {
   =                                          return x + y;
       x*y                                 }
   }                                       static int staticMeth(int x,
                                        int y) {
                                              return x * y;
                                           }
                                        }




                                                                          16
Scala cheat sheet (3): Traits
Scala Trait                           Java Interface

    trait T {                         interface T {
    def abstractMth(x: String): Int         int abstractMth(String x)
    def concreteMth(x: String) =         }
      x + field
                                      (no concrete methods)
    var field = “!”
                                      (no fields)
}

                                      Java extension + implementation:
Scala mixin composition:
                                         class C extends Super
    class C extends Super with T         implements T




                                                                         17
Scala Compared to Java

 class CreditCard(val number: Int, var creditLimit: Int)


                 javap -private CreditCard

public class CreditCard extends java.lang.Object implements
scala.ScalaObject{
  private int creditLimit;
  private final int number;
  public CreditCard(int, int);
  public void creditLimit_$eq(int);
  public int creditLimit();
  public int number();
  public int $tag()      throws java.rmi.RemoteException;
}
                                                              18
Constructors
class Person(val firstName: String, val lastName: String) {
  private var position: String = _
  println("Creating " + toString())
  def this (firstName: String, lastName: String, positionHeld: String) {
    this (firstName, lastName)
    position = positionHeld
  }
  override def toString() : String = {
    firstName + " " + lastName + " holds " + position + " position "
  }
}




                                                                    19
Statics in Scala




                   20
Higher Order Functions




                         21
Currying & Partial Functions
Currying in Scala transforms a function that takes more than one
parameter into a function that takes multiple parameter lists.




                                                                   22
Closures

You can create code blocks with variables that are not bound.

You will have to bind them before you can invoke the function; however,
they could bind to, or close over, variables outside of their local scope
and parameter list.

That’s why they’re called closures.




                                                                    23
Closures




           24
Traits
They are fundamental unit for code reuse in Scala


A Trait encapsulates method and field definitions, which can be
   reused by mixing them in classes


Unlike class inheritance , in which class must inherit from just one
  superclass, a class may mix in any number of Traits


Unlike Interfaces they can have concrete methods




                                                                       25
Traits
trait Philosophical {
  def philosophize() {
    println("I consume memory, therefore I am!")
 }
}


class Frog extends Philosophical {
override def toString() = "green"
}


val latestFrog = new Frog
println("" + latestFrog)
latestFrog.philosophize()
val phil:Philosophical = latestFrog
phil.philosophize()




                                                   26
Pattern Matching

All that is required is to add a single case
  keyword to each class that is to be pattern
  matchable

Similar to switch expect that Scala compares
  Objects as expressions




                                                27
Pattern Matching
object PatternApplication {
 def main(args : Array[String]) : Unit = {
    println( simplifyTop(UnOperator("-", UnOperator("-", Variable("x")))))
    println( simplifyTop(BinOperator("+", Variable("x"), NumberOperator(0))))
    println( simplifyTop(BinOperator("*", Variable("x"), NumberOperator(1))))
 }


 def simplifyTop(expr: Expression): Expression = expr match {
 case UnOperator("-", UnOperator("-", e)) => e          // Double negation
 case BinOperator("+", e, NumberOperator(0)) => e // Adding zero
 case BinOperator("*", e, NumberOperator(1)) => e // Multiplying by one
 case _ => expr
}
}

                                                                                28
IV. End Notes




                29
Tool support
  – Standalone compiler: scalac
  – Fast background compiler: fsc
  – Interactive interpreter shell and script runner: scala
  – Web framework: lift
  – Testing frameworks:
     Specs, ScalaCheck, ScalaTest, SUnit, …
IDE plugins for:
  – Eclipse (supported by EDF)
  – IntelliJ (supported by JetBrains)
  – Netbeans (supported by Sun)



                                                             30
Who’s using it?
Open source projects:
  lift
  wicket
  NetLogo
  SPDE: Scala branch for Processing
  Isabelle: GUI and code extractor


Companies:
  Twitter: infrastructure
  Sony Pictures: middleware
  Nature.com: infrastructure
  SAP community: ESME company messaging
  Reaktor: many different projects
  Mimesis Republic: multiplayer games
  EDF: trading, …



                                          31
Learning Scala
To get started:
First steps in Scala, by Bill Venners
   published in Scalazine at www.artima.com

Scala for Java Refugees by Daniel Spiewack
   (great blog series)

To continue:
Programming in Scala, by Odersky, Spoon,
   Venners, published by Artima,com

Other books are in the pipeline.




                                              32
33
Contact Us
Vikas Hazrati - vhazrati@xebia.com

Meetu Maltiar - mmaltiar@xebia.com




      www.xebiaindia.com
         www.xebia.com
       http://blog.xebia.in
      http://blog.xebia.com


                                     34
References
“Programming in Scala” book by Martin Odersky, Lex Spoon and Bill Venners


Presentation by Martin Odersky at FOSDEM 2009
http://www.slideshare.net/Odersky/fosdem-2009-1013261



Online book on Scala by oreilly
http://programming-scala.labs.oreilly.com/



Magazine for Scala Programming Community
http://www.artima.com/scalazine




                                                                            35

More Related Content

PDF
Scala categorytheory
ODP
Introducing scala
PDF
Getting Started With Scala
PDF
Scala collections
PDF
Scala Bootcamp 1
PDF
Scala
PDF
Stepping Up : A Brief Intro to Scala
ODP
Functional Objects & Function and Closures
Scala categorytheory
Introducing scala
Getting Started With Scala
Scala collections
Scala Bootcamp 1
Scala
Stepping Up : A Brief Intro to Scala
Functional Objects & Function and Closures

What's hot (18)

PDF
Workshop Scala
PPT
Scala - brief intro
PDF
scala
PPTX
Scala Back to Basics: Type Classes
PDF
Starting with Scala : Frontier Developer's Meetup December 2010
PDF
Demystifying functional programming with Scala
 
PDF
Pragmatic Real-World Scala (short version)
PPTX
Scala for curious
PDF
Introducing Akka
PDF
Scala collections api expressivity and brevity upgrade from java
PDF
scalaliftoff2009.pdf
PPTX
Principles of functional progrmming in scala
 
PDF
The Scala Programming Language
 
PDF
Google06
PPTX
PPT
An introduction to scala
PPT
Scala
PPTX
Joy of scala
Workshop Scala
Scala - brief intro
scala
Scala Back to Basics: Type Classes
Starting with Scala : Frontier Developer's Meetup December 2010
Demystifying functional programming with Scala
 
Pragmatic Real-World Scala (short version)
Scala for curious
Introducing Akka
Scala collections api expressivity and brevity upgrade from java
scalaliftoff2009.pdf
Principles of functional progrmming in scala
 
The Scala Programming Language
 
Google06
An introduction to scala
Scala
Joy of scala
Ad

Viewers also liked (6)

PPTX
Easy ORMness with Objectify-Appengine
PDF
Scala categorytheory
PDF
Akka 2.0 Reloaded
ODP
Data structures in scala
PDF
Fitnesse With Scala
PDF
Scala Collections
Easy ORMness with Objectify-Appengine
Scala categorytheory
Akka 2.0 Reloaded
Data structures in scala
Fitnesse With Scala
Scala Collections
Ad

Similar to Getting Started With Scala (20)

PPT
Scala Talk at FOSDEM 2009
PDF
Scala at GenevaJUG by Iulian Dragos
PDF
Programming Android Application in Scala.
PPT
Scala in a nutshell by venkat
PDF
Scala overview
PPT
Scala uma poderosa linguagem para a jvm
PPTX
Qcon2011 functions rockpresentation_scala
PDF
Introduction to Scala
PDF
BCS SPA 2010 - An Introduction to Scala for Java Developers
PDF
An Introduction to Scala for Java Developers
PDF
scalaliftoff2009.pdf
PDF
scalaliftoff2009.pdf
PDF
scalaliftoff2009.pdf
PDF
Scala: Object-Oriented Meets Functional, by Iulian Dragos
PDF
Scala, Akka, and Play: An Introduction on Heroku
PDF
Scala for Java Programmers
PDF
Introductiontoprogramminginscala
PDF
A Brief Introduction to Scala for Java Developers
PDF
Miles Sabin Introduction To Scala For Java Developers
PDF
Introduction to Scala for JCConf Taiwan
Scala Talk at FOSDEM 2009
Scala at GenevaJUG by Iulian Dragos
Programming Android Application in Scala.
Scala in a nutshell by venkat
Scala overview
Scala uma poderosa linguagem para a jvm
Qcon2011 functions rockpresentation_scala
Introduction to Scala
BCS SPA 2010 - An Introduction to Scala for Java Developers
An Introduction to Scala for Java Developers
scalaliftoff2009.pdf
scalaliftoff2009.pdf
scalaliftoff2009.pdf
Scala: Object-Oriented Meets Functional, by Iulian Dragos
Scala, Akka, and Play: An Introduction on Heroku
Scala for Java Programmers
Introductiontoprogramminginscala
A Brief Introduction to Scala for Java Developers
Miles Sabin Introduction To Scala For Java Developers
Introduction to Scala for JCConf Taiwan

Recently uploaded (20)

PPTX
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx
PDF
Advanced methodologies resolving dimensionality complications for autism neur...
PDF
Review of recent advances in non-invasive hemoglobin estimation
PDF
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
PPTX
Cloud computing and distributed systems.
PDF
Reach Out and Touch Someone: Haptics and Empathic Computing
PPTX
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
PDF
Encapsulation_ Review paper, used for researhc scholars
PDF
Network Security Unit 5.pdf for BCA BBA.
PDF
Mobile App Security Testing_ A Comprehensive Guide.pdf
PPTX
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
PPTX
MYSQL Presentation for SQL database connectivity
PDF
The Rise and Fall of 3GPP – Time for a Sabbatical?
 
PDF
Per capita expenditure prediction using model stacking based on satellite ima...
PDF
Architecting across the Boundaries of two Complex Domains - Healthcare & Tech...
PPTX
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy
PDF
Building Integrated photovoltaic BIPV_UPV.pdf
PDF
Unlocking AI with Model Context Protocol (MCP)
PPT
“AI and Expert System Decision Support & Business Intelligence Systems”
PDF
Encapsulation theory and applications.pdf
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx
Advanced methodologies resolving dimensionality complications for autism neur...
Review of recent advances in non-invasive hemoglobin estimation
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
Cloud computing and distributed systems.
Reach Out and Touch Someone: Haptics and Empathic Computing
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
Encapsulation_ Review paper, used for researhc scholars
Network Security Unit 5.pdf for BCA BBA.
Mobile App Security Testing_ A Comprehensive Guide.pdf
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
MYSQL Presentation for SQL database connectivity
The Rise and Fall of 3GPP – Time for a Sabbatical?
 
Per capita expenditure prediction using model stacking based on satellite ima...
Architecting across the Boundaries of two Complex Domains - Healthcare & Tech...
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy
Building Integrated photovoltaic BIPV_UPV.pdf
Unlocking AI with Model Context Protocol (MCP)
“AI and Expert System Decision Support & Business Intelligence Systems”
Encapsulation theory and applications.pdf

Getting Started With Scala

  • 1. Getting Started with Scala Vikas Hazrati - vhazrati@xebia.com Meetu Maltiar - mmaltiar@xebia.com OSScamp Delhi 2009
  • 2. Agenda I. What is FP and OOP? I. Features – Quick comparison with Java I. Introducing Scala – Function Values and Closures – Scalable Languages – Traits – Scala is a Scripting language – Pattern Matching – Scala is Java of future I. End Notes – Scala is OO - Who is using it ? – Scala is Interoperable - Tool support - Learning resources
  • 3. I. What is FP and OOP?
  • 4. What is FP Is a concept where you can pass functions as arguments, to store them in variables, and to return them from other functions.
  • 5. What is OOP? Object Oriented Programming is programming which is oriented around objects Takes advantage of Encapsulation, Polymorphism, and Inheritance to increase code reuse and decrease code maintenance.
  • 6. Scala: FP and OOP language Scala is a object oriented and functional programming language which is completely interoperable with java FP: Makes it easy to build interesting things from simple parts, using – Higher order functions – Algebraic types and pattern matching – Parametric polymorphism OOP: Makes it easy to adopt and extend complex systems using – Subtyping and inheritance – Dynamic configurations – Classes as partial abstractions
  • 8. Scalable languages A language is scalable if it is suitable for very small as well as very large programs. A single language for extension scripts and the heavy lifting. Application-specific needs are handled through libraries and embedded DSL's instead of external languages. Scala shows that this is possible. 8
  • 9. Scala is a scripting language It has an interactive read-eval-print-loop (REPL). Types can be inferred. Boilerplate is scrapped. scala> var capital = Map("US" → "Washington", "France" → "Paris") capital: Map[String, String] = Map(US → Washington, France → Paris) scala> capital += ("Japan" → "Tokyo") scala> capital("France") res7: String = Paris 9
  • 10. Scala is the Java of the future It has basically everything Java has now. (sometimes in different form) It has closures. (proposed for Java 7, but rejected) It has traits and pattern matching. (do not be surprised to see them in Java 8, 9 or 10) It compiles to .class files, is completely interoperable and runs about as fast as Java object App { def main(args: Array[String]) { if (args exists (_.toLowerCase == "-help")) printUsage() else process(args) } } 10
  • 11. Scala is object-oriented Every value is an object Every operation is a method call Exceptions to these rules in Java (such as primitive types, statics) are eliminated. scala> (1).hashCode res8: Int = 1 scala> (1).+(2) res10: Int = 3 11
  • 12. Interoperability Scala fits seamlessly into a Java environment Can call Java methods, select Java fields, inherit Java classes, implement Java interfaces, etc. None of this requires glue code or interface descriptions Java code can also easily call into Scala code Scala code resembling Java is translated into virtually the same bytecodes. ⇒ Performance is usually on a par with Java 12
  • 14. Scala compared to Java Scala adds Scala removes + a pure object system - static members + operator overloading - primitive types + closures - break, continue + mixin composition with - special treatment of traits interfaces + existential types - wildcards + abstract types - raw types + pattern matching - enums 14
  • 15. Scala cheat sheet (1): Definitions Scala method definitions: Java method definition: def fun(x: Int): Int = { int fun(int x) { result return result } } def fun = result (no parameterless methods) Scala variable definitions: Java variable definitions: var x: Int = expression int x = expression val x: String = expression final String x = expression 15
  • 16. Scala cheat sheet (2): Objects and Classes Scala Class and Object Java Class with statics class Sample { class Sample(x: Int, val p: Int) { private final int x; def instMeth(y: Int) = x + y public final int p; } Sample(int x, int p) { this.x = x; this.p = p; object Sample { } def staticMeth(x: Int, y: Int) int instMeth(int y) { = return x + y; x*y } } static int staticMeth(int x, int y) { return x * y; } } 16
  • 17. Scala cheat sheet (3): Traits Scala Trait Java Interface trait T { interface T { def abstractMth(x: String): Int int abstractMth(String x) def concreteMth(x: String) = } x + field (no concrete methods) var field = “!” (no fields) } Java extension + implementation: Scala mixin composition: class C extends Super class C extends Super with T implements T 17
  • 18. Scala Compared to Java class CreditCard(val number: Int, var creditLimit: Int) javap -private CreditCard public class CreditCard extends java.lang.Object implements scala.ScalaObject{ private int creditLimit; private final int number; public CreditCard(int, int); public void creditLimit_$eq(int); public int creditLimit(); public int number(); public int $tag() throws java.rmi.RemoteException; } 18
  • 19. Constructors class Person(val firstName: String, val lastName: String) { private var position: String = _ println("Creating " + toString()) def this (firstName: String, lastName: String, positionHeld: String) { this (firstName, lastName) position = positionHeld } override def toString() : String = { firstName + " " + lastName + " holds " + position + " position " } } 19
  • 22. Currying & Partial Functions Currying in Scala transforms a function that takes more than one parameter into a function that takes multiple parameter lists. 22
  • 23. Closures You can create code blocks with variables that are not bound. You will have to bind them before you can invoke the function; however, they could bind to, or close over, variables outside of their local scope and parameter list. That’s why they’re called closures. 23
  • 24. Closures 24
  • 25. Traits They are fundamental unit for code reuse in Scala A Trait encapsulates method and field definitions, which can be reused by mixing them in classes Unlike class inheritance , in which class must inherit from just one superclass, a class may mix in any number of Traits Unlike Interfaces they can have concrete methods 25
  • 26. Traits trait Philosophical { def philosophize() { println("I consume memory, therefore I am!") } } class Frog extends Philosophical { override def toString() = "green" } val latestFrog = new Frog println("" + latestFrog) latestFrog.philosophize() val phil:Philosophical = latestFrog phil.philosophize() 26
  • 27. Pattern Matching All that is required is to add a single case keyword to each class that is to be pattern matchable Similar to switch expect that Scala compares Objects as expressions 27
  • 28. Pattern Matching object PatternApplication { def main(args : Array[String]) : Unit = { println( simplifyTop(UnOperator("-", UnOperator("-", Variable("x"))))) println( simplifyTop(BinOperator("+", Variable("x"), NumberOperator(0)))) println( simplifyTop(BinOperator("*", Variable("x"), NumberOperator(1)))) } def simplifyTop(expr: Expression): Expression = expr match { case UnOperator("-", UnOperator("-", e)) => e // Double negation case BinOperator("+", e, NumberOperator(0)) => e // Adding zero case BinOperator("*", e, NumberOperator(1)) => e // Multiplying by one case _ => expr } } 28
  • 30. Tool support – Standalone compiler: scalac – Fast background compiler: fsc – Interactive interpreter shell and script runner: scala – Web framework: lift – Testing frameworks: Specs, ScalaCheck, ScalaTest, SUnit, … IDE plugins for: – Eclipse (supported by EDF) – IntelliJ (supported by JetBrains) – Netbeans (supported by Sun) 30
  • 31. Who’s using it? Open source projects: lift wicket NetLogo SPDE: Scala branch for Processing Isabelle: GUI and code extractor Companies: Twitter: infrastructure Sony Pictures: middleware Nature.com: infrastructure SAP community: ESME company messaging Reaktor: many different projects Mimesis Republic: multiplayer games EDF: trading, … 31
  • 32. Learning Scala To get started: First steps in Scala, by Bill Venners published in Scalazine at www.artima.com Scala for Java Refugees by Daniel Spiewack (great blog series) To continue: Programming in Scala, by Odersky, Spoon, Venners, published by Artima,com Other books are in the pipeline. 32
  • 33. 33
  • 34. Contact Us Vikas Hazrati - vhazrati@xebia.com Meetu Maltiar - mmaltiar@xebia.com www.xebiaindia.com www.xebia.com http://blog.xebia.in http://blog.xebia.com 34
  • 35. References “Programming in Scala” book by Martin Odersky, Lex Spoon and Bill Venners Presentation by Martin Odersky at FOSDEM 2009 http://www.slideshare.net/Odersky/fosdem-2009-1013261 Online book on Scala by oreilly http://programming-scala.labs.oreilly.com/ Magazine for Scala Programming Community http://www.artima.com/scalazine 35