SlideShare ist ein Scribd-Unternehmen logo
1 von 36
Downloaden Sie, um offline zu lesen
Demystifying Scala
                         Type System
                             David Galichet
                            CTO @ CoachClub



jeudi 29 novembre 12
Schedule
                       Scala Types 101
                       Types Variance and Type bounds
                       Abstract Type members
                       Ad-Hoc Polymorphism
                       Existential Types
                       Generalized Type Constraints
jeudi 29 novembre 12
What is a type system ?


                       “A type system is a tractable syntactic method for
                       proving the absence of certain program behaviors by
                       classifying phrases according to the kinds of values
                       they compute.“ – Benjamin Pierce




jeudi 29 novembre 12
What is a type ?
                       A Type defines a set of values a variable can posses and a set
                       of functions that can be applied to these values
                       Set of values can be defined as
                          Cartesian product Types (like case classes or Tuples)
                          Sum Types (like Either)
                       Types can be Abstract and/or Polymorph

jeudi 29 novembre 12
What is a type ?


                       In Functional Languages like Scala, a Function is also a Type
                       that can be assigned to a variable or (higher order) function
                       or returned by a (higher order) function




jeudi 29 novembre 12
Why typing ?
                       “Make illegal states unrepresentable“ - Yaron Minsky
                       “Where static typing fits, do it every time because it
                       has just fantastic maintenance benefits.” - Simon Peyton
                       Jones
                       Compiler can use Type informations to optimize compiled
                       code



jeudi 29 novembre 12
Scala Types 101

                       Scala is Object Oriented and Functional
                       Scala has a strong and static Type System
                          Types are checked at compile time

                          Types can be inferred by the compiler

                          Functions are Types : A => B



jeudi 29 novembre 12
Scala Types 101

                       Types are used to define
                          [abstract] classes
                          objects
                          traits


jeudi 29 novembre 12
Scala Types 101                                   Any
                                                                          ⟙




                       Scala types hierarchy              AnyVal                AnyRef




                       Enclosed by :                Primitive Types
                                                                                 All Types
                                                       wrappers

                          Top type ⟙ (Any)

                          Bottom type ⟘ (Nothing)
                                                                      Nothing
                                                                        ⟘


                       Java Primitive Types are wrapped under AnyVal
                       (Unit, Long, Double, Boolean ...)
                       Since 2.10, you can define your own AnyVal
jeudi 29 novembre 12
Scala Types 101

                       Scala Types can be parameterized
                          List[A]
                          Either[A, B]

                       Functions can also take type parameters
                   def show[A](a:A):String = a.toString


jeudi 29 novembre 12
Type Variance and Bounds

                       Type Variance goal is to define inheritance relation
                       By default, Type Parameters are invariant
                       They can also be defined as co-variant or contra-variant



jeudi 29 novembre 12
Type Variance and Bounds

                       Co-Variance(M[+T])                        B   M[B]




                         if A extends B then M[A] extends M[B]   A   M[A]




                       Contra-Variance (M[-T])
                         if A extends B then M[B] extends M[A]
                                                                 B   M[A]




                                                                 A   M[B]




jeudi 29 novembre 12
Type Variance and Bounds

                       Some examples of Types with varying type parameters
                          List[+A]
                          Writer[-A]
                          Function1[-T, +R]




jeudi 29 novembre 12
Type Variance and Bounds

 scala> class Test[+A] {
      | def test(a: A): String = a.toString
      | }
 <console>:8: error: covariant type A occurs in
 contravariant position in type A of value a



                                 WTF ?

jeudi 29 novembre 12
Type Variance and Bounds
                       First of all, take a look at Functions :
                          Function1[-T,+R]

                       Functions are Co-Variant on return type (+R) and Contra-
                       Variant on parameters (-T) !
                       We can substitute Function1[A,D] by
                       Function1[B,C] :                    B      D   Function1[A, D]



                                                   ⋀
                                                           A      C   Function1[B, C]




jeudi 29 novembre 12
Type Variance and Bounds
                                           This is a Function1 instance !
 class Test[+A] {
   def test(a: A): String = a.toString
 }


                       Type A should be either Invariant or Contra-Variant but it’s
                       Co-Variant


jeudi 29 novembre 12
Type Variance and Bounds
                       Solution : introduce a bounded Type

 class Test[+A] {
   def test[B >: A](b: B): String = b.toString
 }

                       Lower Type Bound : this new Type B is a super Type of A

                       Method test will accept A or any super Type of A
jeudi 29 novembre 12
Type Variance and Bounds
                       Implementation of a List
         trait List[+T] {
           def ::[U >: T](u: U): List[U] = Cons(u,
         this)
         }
         case class Cons[T](head: T, tail: List[T])
         extends List[T]

         case object Nil extends List[Nothing]


                                      Inherit from any List[T]
jeudi 29 novembre 12
Type Variance and Bounds
                       Variance is not applicable to mutable state :
     trait Mutable[+T] {
       var t: T // generate a setter:
                // def t_=(t: T) {this.t = t}
     }

                                        Co-Variant parameter in Contra-Variant position

          ⇒ A mutable List can’t be Co-Variant !
jeudi 29 novembre 12
Type Variance and Bounds
                       Implementation of a Writer - Part1
  class B { def toString = "I’m B" }
  class A extends B { def toString = "I’m A" }
                                         Inherit from any List[T]
  trait Writer[-T] { def write(t: T): String }

  val bWriter = new Writer[B] { def write(b:
  B): String = b.toString }

  def write[T](t: T)(w: Writer[T]) = w.write(t)

jeudi 29 novembre 12
Type Variance and Bounds
                       Implementation of a Writer - Part2
  write(new B)(bWriter)
  res> String = I’m B We need a Writer[A]

  write(new A)(bWriter)
  res> String = I’m A

                                                            B   Write[A]



 Fortunately, Writer[B] extends Writer[A]:
                                                            A   Write[B]



jeudi 29 novembre 12
Type member
                       Concrete Types can be defined in a class, trait or object
   type Color = String // type Alias
   type Valid[X] = Either[Throwable, X]
   // Valid is parametrized with X

                       We can define these types with their kind :
                           Color or String has kind *

                           Valid or Option has kind * ➞ *

                           Either has kind * ➞ * ➞ *
jeudi 29 novembre 12
Abstract Type members
                       We can define Abstract Type in abstract classes or traits
                       Abstract Types are another way to parameterize Types
    trait Food
    class Grass extends Food
    class Fish extends Food

    trait Species {
      type SuitableFood <: Food
    }

    trait Animal extends Species

    class Cow extends Animal {
      type SuitableFood = Grass
    }
jeudi 29 novembre 12
Abstract Type members
                       The parameterized type way :

    trait Food
    class Grass extends Food
    class Fish extends Food

    trait Species[T <: Food]
    trait Animal[T <: Food] extends Species[T]

    class Cow extends Animal[Grass]



jeudi 29 novembre 12
Ad-Hoc Polymorphism
                       Ad-Hoc polymorphism is a way to add behavior to an existing
                       class without modifying it
                       In Haskell, polymorphism is achieved using typeclasses

                                    Typeclasses

                abs :: (Num a, Ord a) => a -> a
                abs x = if x < 0 then -x else x

jeudi 29 novembre 12
Ad-Hoc Polymorphism

                       In Scala, we can achieve Ad-Hoc polymorphism using
                       implicits
                       implicits are used in two places
                          implicit conversion to convert a type to another
                          implicit parameter


jeudi 29 novembre 12
Ad-Hoc Polymorphism
                       In Scala, we can achieve Ad-Hoc polymorphism using
                       implicits
                       Scala library defines many Typeclasses to achieve Ad-Hoc
                       polymorphism : Integral, Numeric, Ordering ...
 def abs[T](x: T)(implicit num: Numeric[T]): T =
 if(num.lt(x, num.zero)) num.negate(x) else x


 def max[T: Ordering](x: T, y: T): T =
 implicitly[Ordering[T]].max(x, y)

jeudi 29 novembre 12
Ad-Hoc Polymorphism
                       We can define our own instances of existing typeclasses
 case class Student(name: String, score: Float)

 implicit object StudentOrdering extends
   Ordering[Student] {
   def compare(x: Student, y: Student) =
     x.score.compareTo(y.score)
 }

 scala> max(Student("Bob", 5.6F), Student("Alice",
 5.8F))
 res0: Student = Student(Alice,5.8)

jeudi 29 novembre 12
Ad-Hoc Polymorphism
                       We can define our own instances of typeclasses


 implicit class Printable[A](a: A) { // since Scala
 2.10
   def printOut(): Unit = println(a.toString)
 }

 scala> "test".printOut
 test



jeudi 29 novembre 12
Ad-Hoc Polymorphism
                       A more concrete example - Part 1
 trait Searchable[T] {
   val id: String
   val indexedContent: String
 }

 class SearchEngine[T](defaultBuilder: String => T){
   def index(searchable: Searchable[T]) { /* ... */ }
   def search(query: String)(builder: String => T =
 defaultBuilder): T = builder("0")
 }


jeudi 29 novembre 12
Ad-Hoc Polymorphism
                       A more concrete example - Part 2
  case class Person(id: Long, name: String)

  implicit def person2Searchable(p: Person) =
   new Searchable[Person] {
        val id = p.id.toString
        val indexedContent = p.name
   }

  val fakeEngine = new SearchEngine[Person]( id =>
  Person(id.toLong, "retrieved content") )


jeudi 29 novembre 12
Ad-Hoc Polymorphism
                       Polymorphic Typeclasses instance definition
 class Hour[X] private (val x: X) { /* ... */ }

 object Hour {
   def apply[X](x: X)(implicit int: Integral[X]):Hour[X]=
    new Hour(int.rem(int.plus(int.rem(x,
 int.fromInt(12)), int.fromInt(12)), int.fromInt(12)))
 }

 implicit def hour2Monoid[X](implicit int: Integral[X]):
 Monoid[Hour[X]] = new Monoid[Hour[X]] {
   def append(f1: Hour[X], f2: => Hour[X]) =
    Hour(int.rem(int.plus(f1.x, f2.x), int.fromInt(12)))
   def zero = Hour(int.zero)
 }
jeudi 29 novembre 12
Existential Types
                       Existential types are reference to type parameter that is
                       unknown
                       The Scala existential type in M[_] is the dual of Java
                       wildcard M<?>
                       They can be defined using :
                          M[T] forSome { type T }

                          or M[_]
jeudi 29 novembre 12
Existential Types


                       We can bound existential types :
                          M[T] forSome { type T <: AnyRef }

                          or M[_ <: AnyRef]




jeudi 29 novembre 12
Generalized Type Constraints
                       Constrain type using an implicit
                          =:= same type

                          <:< lower type

                          >:> super type




jeudi 29 novembre 12
Generalized Type Constraints
                       Example :
      trait Food
      class Grass extends Food
      class Fish extends Food

      trait Animal[SuitableFood <: Food] {
        def fish(implicit ev: SuitableFood =:= Fish){
          println("I'm fishing")
        }
      }

      class Cow extends Animal[Grass]
      class Bear extends Animal[Fish]

jeudi 29 novembre 12

Weitere ähnliche Inhalte

Was ist angesagt?

Chapter 02: Classes Objects and Methods Java by Tushar B Kute
Chapter 02: Classes Objects and Methods Java by Tushar B KuteChapter 02: Classes Objects and Methods Java by Tushar B Kute
Chapter 02: Classes Objects and Methods Java by Tushar B KuteTushar B Kute
 
Scala categorytheory
Scala categorytheoryScala categorytheory
Scala categorytheoryKnoldus Inc.
 
Introduction à Scala - Michel Schinz - January 2010
Introduction à Scala - Michel Schinz - January 2010Introduction à Scala - Michel Schinz - January 2010
Introduction à Scala - Michel Schinz - January 2010JUG Lausanne
 
Finite Automata
Finite AutomataFinite Automata
Finite Automataparmeet834
 

Was ist angesagt? (10)

Chapter 02: Classes Objects and Methods Java by Tushar B Kute
Chapter 02: Classes Objects and Methods Java by Tushar B KuteChapter 02: Classes Objects and Methods Java by Tushar B Kute
Chapter 02: Classes Objects and Methods Java by Tushar B Kute
 
Md03 - part3
Md03 - part3Md03 - part3
Md03 - part3
 
Cascon2011_5_rules+owl
Cascon2011_5_rules+owlCascon2011_5_rules+owl
Cascon2011_5_rules+owl
 
Scala categorytheory
Scala categorytheoryScala categorytheory
Scala categorytheory
 
Ruby object model
Ruby object modelRuby object model
Ruby object model
 
Introduction à Scala - Michel Schinz - January 2010
Introduction à Scala - Michel Schinz - January 2010Introduction à Scala - Michel Schinz - January 2010
Introduction à Scala - Michel Schinz - January 2010
 
The Ceylon Type System
The Ceylon Type SystemThe Ceylon Type System
The Ceylon Type System
 
Lecture Notes
Lecture NotesLecture Notes
Lecture Notes
 
Ruby_Basic
Ruby_BasicRuby_Basic
Ruby_Basic
 
Finite Automata
Finite AutomataFinite Automata
Finite Automata
 

Andere mochten auch

Practical type mining in Scala
Practical type mining in ScalaPractical type mining in Scala
Practical type mining in ScalaRose Toomey
 
Scala Implicits - Not to be feared
Scala Implicits - Not to be fearedScala Implicits - Not to be feared
Scala Implicits - Not to be fearedDerek Wyatt
 
Advanced Functional Programming in Scala
Advanced Functional Programming in ScalaAdvanced Functional Programming in Scala
Advanced Functional Programming in ScalaPatrick Nicolas
 
Scala - the good, the bad and the very ugly
Scala - the good, the bad and the very uglyScala - the good, the bad and the very ugly
Scala - the good, the bad and the very uglyBozhidar Bozhanov
 
Internship 2010 sarvajal overview
Internship 2010 sarvajal overviewInternship 2010 sarvajal overview
Internship 2010 sarvajal overviewPrateek Bhatt
 
Ynu Special Edition[Joint Effort With Sourya Pal]
Ynu Special Edition[Joint Effort With Sourya Pal]Ynu Special Edition[Joint Effort With Sourya Pal]
Ynu Special Edition[Joint Effort With Sourya Pal]Prateek Bhatt
 
Chicago Hadoop Users Group: Enterprise Data Workflows
Chicago Hadoop Users Group: Enterprise Data WorkflowsChicago Hadoop Users Group: Enterprise Data Workflows
Chicago Hadoop Users Group: Enterprise Data WorkflowsPaco Nathan
 
Spring 3.1 and MVC Testing Support - 4Developers
Spring 3.1 and MVC Testing Support - 4DevelopersSpring 3.1 and MVC Testing Support - 4Developers
Spring 3.1 and MVC Testing Support - 4DevelopersSam Brannen
 
Reactive Programming With Akka - Lessons Learned
Reactive Programming With Akka - Lessons LearnedReactive Programming With Akka - Lessons Learned
Reactive Programming With Akka - Lessons LearnedDaniel Sawano
 
A Sceptical Guide to Functional Programming
A Sceptical Guide to Functional ProgrammingA Sceptical Guide to Functional Programming
A Sceptical Guide to Functional ProgrammingGarth Gilmour
 
The no-framework Scala Dependency Injection Framework
The no-framework Scala Dependency Injection FrameworkThe no-framework Scala Dependency Injection Framework
The no-framework Scala Dependency Injection FrameworkAdam Warski
 
Effective akka scalaio
Effective akka scalaioEffective akka scalaio
Effective akka scalaioshinolajla
 
Actor Based Asyncronous IO in Akka
Actor Based Asyncronous IO in AkkaActor Based Asyncronous IO in Akka
Actor Based Asyncronous IO in Akkadrewhk
 

Andere mochten auch (20)

Practical type mining in Scala
Practical type mining in ScalaPractical type mining in Scala
Practical type mining in Scala
 
Scala’s implicits
Scala’s implicitsScala’s implicits
Scala’s implicits
 
Scala Implicits - Not to be feared
Scala Implicits - Not to be fearedScala Implicits - Not to be feared
Scala Implicits - Not to be feared
 
Advanced Functional Programming in Scala
Advanced Functional Programming in ScalaAdvanced Functional Programming in Scala
Advanced Functional Programming in Scala
 
Scala - the good, the bad and the very ugly
Scala - the good, the bad and the very uglyScala - the good, the bad and the very ugly
Scala - the good, the bad and the very ugly
 
Scala Days NYC 2016
Scala Days NYC 2016Scala Days NYC 2016
Scala Days NYC 2016
 
Ynu xi
Ynu xiYnu xi
Ynu xi
 
Ynu-X
Ynu-XYnu-X
Ynu-X
 
Internship 2010 sarvajal overview
Internship 2010 sarvajal overviewInternship 2010 sarvajal overview
Internship 2010 sarvajal overview
 
Ynu xiii
Ynu   xiiiYnu   xiii
Ynu xiii
 
Ynu Special Edition[Joint Effort With Sourya Pal]
Ynu Special Edition[Joint Effort With Sourya Pal]Ynu Special Edition[Joint Effort With Sourya Pal]
Ynu Special Edition[Joint Effort With Sourya Pal]
 
Ynu Viii
Ynu ViiiYnu Viii
Ynu Viii
 
Ynu xii
Ynu xiiYnu xii
Ynu xii
 
Chicago Hadoop Users Group: Enterprise Data Workflows
Chicago Hadoop Users Group: Enterprise Data WorkflowsChicago Hadoop Users Group: Enterprise Data Workflows
Chicago Hadoop Users Group: Enterprise Data Workflows
 
Spring 3.1 and MVC Testing Support - 4Developers
Spring 3.1 and MVC Testing Support - 4DevelopersSpring 3.1 and MVC Testing Support - 4Developers
Spring 3.1 and MVC Testing Support - 4Developers
 
Reactive Programming With Akka - Lessons Learned
Reactive Programming With Akka - Lessons LearnedReactive Programming With Akka - Lessons Learned
Reactive Programming With Akka - Lessons Learned
 
A Sceptical Guide to Functional Programming
A Sceptical Guide to Functional ProgrammingA Sceptical Guide to Functional Programming
A Sceptical Guide to Functional Programming
 
The no-framework Scala Dependency Injection Framework
The no-framework Scala Dependency Injection FrameworkThe no-framework Scala Dependency Injection Framework
The no-framework Scala Dependency Injection Framework
 
Effective akka scalaio
Effective akka scalaioEffective akka scalaio
Effective akka scalaio
 
Actor Based Asyncronous IO in Akka
Actor Based Asyncronous IO in AkkaActor Based Asyncronous IO in Akka
Actor Based Asyncronous IO in Akka
 

Mehr von David Galichet

Property Based Testing with ScalaCheck
Property Based Testing with ScalaCheckProperty Based Testing with ScalaCheck
Property Based Testing with ScalaCheckDavid Galichet
 
Writing DSL with Applicative Functors
Writing DSL with Applicative FunctorsWriting DSL with Applicative Functors
Writing DSL with Applicative FunctorsDavid Galichet
 
Introducing Monads and State Monad at PSUG
Introducing Monads and State Monad at PSUGIntroducing Monads and State Monad at PSUG
Introducing Monads and State Monad at PSUGDavid Galichet
 
Playing with State Monad
Playing with State MonadPlaying with State Monad
Playing with State MonadDavid Galichet
 

Mehr von David Galichet (6)

Property Based Testing with ScalaCheck
Property Based Testing with ScalaCheckProperty Based Testing with ScalaCheck
Property Based Testing with ScalaCheck
 
Writing DSL with Applicative Functors
Writing DSL with Applicative FunctorsWriting DSL with Applicative Functors
Writing DSL with Applicative Functors
 
Introducing Monads and State Monad at PSUG
Introducing Monads and State Monad at PSUGIntroducing Monads and State Monad at PSUG
Introducing Monads and State Monad at PSUG
 
Playing with State Monad
Playing with State MonadPlaying with State Monad
Playing with State Monad
 
Crypto and PKI
Crypto and PKICrypto and PKI
Crypto and PKI
 
Simple Build Tool
Simple Build ToolSimple Build Tool
Simple Build Tool
 

Kürzlich hochgeladen

How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonetsnaman860154
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityPrincipled Technologies
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking MenDelhi Call girls
 
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
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationMichael W. Hawkins
 
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
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Servicegiselly40
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking MenDelhi Call girls
 
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
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking MenDelhi Call girls
 
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
 
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
 
Unblocking The Main Thread Solving ANRs and Frozen Frames
Unblocking The Main Thread Solving ANRs and Frozen FramesUnblocking The Main Thread Solving ANRs and Frozen Frames
Unblocking The Main Thread Solving ANRs and Frozen FramesSinan KOZAK
 
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
 
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
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Igalia
 
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
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc
 
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
 

Kürzlich hochgeladen (20)

How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonets
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivity
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day Presentation
 
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
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Service
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men
 
Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
 
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
 
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
 
Unblocking The Main Thread Solving ANRs and Frozen Frames
Unblocking The Main Thread Solving ANRs and Frozen FramesUnblocking The Main Thread Solving ANRs and Frozen Frames
Unblocking The Main Thread Solving ANRs and Frozen Frames
 
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
 
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
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
 
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...
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
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
 

Demystifying Scala Type System

  • 1. Demystifying Scala Type System David Galichet CTO @ CoachClub jeudi 29 novembre 12
  • 2. Schedule Scala Types 101 Types Variance and Type bounds Abstract Type members Ad-Hoc Polymorphism Existential Types Generalized Type Constraints jeudi 29 novembre 12
  • 3. What is a type system ? “A type system is a tractable syntactic method for proving the absence of certain program behaviors by classifying phrases according to the kinds of values they compute.“ – Benjamin Pierce jeudi 29 novembre 12
  • 4. What is a type ? A Type defines a set of values a variable can posses and a set of functions that can be applied to these values Set of values can be defined as Cartesian product Types (like case classes or Tuples) Sum Types (like Either) Types can be Abstract and/or Polymorph jeudi 29 novembre 12
  • 5. What is a type ? In Functional Languages like Scala, a Function is also a Type that can be assigned to a variable or (higher order) function or returned by a (higher order) function jeudi 29 novembre 12
  • 6. Why typing ? “Make illegal states unrepresentable“ - Yaron Minsky “Where static typing fits, do it every time because it has just fantastic maintenance benefits.” - Simon Peyton Jones Compiler can use Type informations to optimize compiled code jeudi 29 novembre 12
  • 7. Scala Types 101 Scala is Object Oriented and Functional Scala has a strong and static Type System Types are checked at compile time Types can be inferred by the compiler Functions are Types : A => B jeudi 29 novembre 12
  • 8. Scala Types 101 Types are used to define [abstract] classes objects traits jeudi 29 novembre 12
  • 9. Scala Types 101 Any ⟙ Scala types hierarchy AnyVal AnyRef Enclosed by : Primitive Types All Types wrappers Top type ⟙ (Any) Bottom type ⟘ (Nothing) Nothing ⟘ Java Primitive Types are wrapped under AnyVal (Unit, Long, Double, Boolean ...) Since 2.10, you can define your own AnyVal jeudi 29 novembre 12
  • 10. Scala Types 101 Scala Types can be parameterized List[A] Either[A, B] Functions can also take type parameters def show[A](a:A):String = a.toString jeudi 29 novembre 12
  • 11. Type Variance and Bounds Type Variance goal is to define inheritance relation By default, Type Parameters are invariant They can also be defined as co-variant or contra-variant jeudi 29 novembre 12
  • 12. Type Variance and Bounds Co-Variance(M[+T]) B M[B] if A extends B then M[A] extends M[B] A M[A] Contra-Variance (M[-T]) if A extends B then M[B] extends M[A] B M[A] A M[B] jeudi 29 novembre 12
  • 13. Type Variance and Bounds Some examples of Types with varying type parameters List[+A] Writer[-A] Function1[-T, +R] jeudi 29 novembre 12
  • 14. Type Variance and Bounds scala> class Test[+A] { | def test(a: A): String = a.toString | } <console>:8: error: covariant type A occurs in contravariant position in type A of value a WTF ? jeudi 29 novembre 12
  • 15. Type Variance and Bounds First of all, take a look at Functions : Function1[-T,+R] Functions are Co-Variant on return type (+R) and Contra- Variant on parameters (-T) ! We can substitute Function1[A,D] by Function1[B,C] : B D Function1[A, D] ⋀ A C Function1[B, C] jeudi 29 novembre 12
  • 16. Type Variance and Bounds This is a Function1 instance ! class Test[+A] { def test(a: A): String = a.toString } Type A should be either Invariant or Contra-Variant but it’s Co-Variant jeudi 29 novembre 12
  • 17. Type Variance and Bounds Solution : introduce a bounded Type class Test[+A] { def test[B >: A](b: B): String = b.toString } Lower Type Bound : this new Type B is a super Type of A Method test will accept A or any super Type of A jeudi 29 novembre 12
  • 18. Type Variance and Bounds Implementation of a List trait List[+T] { def ::[U >: T](u: U): List[U] = Cons(u, this) } case class Cons[T](head: T, tail: List[T]) extends List[T] case object Nil extends List[Nothing] Inherit from any List[T] jeudi 29 novembre 12
  • 19. Type Variance and Bounds Variance is not applicable to mutable state : trait Mutable[+T] { var t: T // generate a setter: // def t_=(t: T) {this.t = t} } Co-Variant parameter in Contra-Variant position ⇒ A mutable List can’t be Co-Variant ! jeudi 29 novembre 12
  • 20. Type Variance and Bounds Implementation of a Writer - Part1 class B { def toString = "I’m B" } class A extends B { def toString = "I’m A" } Inherit from any List[T] trait Writer[-T] { def write(t: T): String } val bWriter = new Writer[B] { def write(b: B): String = b.toString } def write[T](t: T)(w: Writer[T]) = w.write(t) jeudi 29 novembre 12
  • 21. Type Variance and Bounds Implementation of a Writer - Part2 write(new B)(bWriter) res> String = I’m B We need a Writer[A] write(new A)(bWriter) res> String = I’m A B Write[A] Fortunately, Writer[B] extends Writer[A]: A Write[B] jeudi 29 novembre 12
  • 22. Type member Concrete Types can be defined in a class, trait or object type Color = String // type Alias type Valid[X] = Either[Throwable, X] // Valid is parametrized with X We can define these types with their kind : Color or String has kind * Valid or Option has kind * ➞ * Either has kind * ➞ * ➞ * jeudi 29 novembre 12
  • 23. Abstract Type members We can define Abstract Type in abstract classes or traits Abstract Types are another way to parameterize Types trait Food class Grass extends Food class Fish extends Food trait Species { type SuitableFood <: Food } trait Animal extends Species class Cow extends Animal { type SuitableFood = Grass } jeudi 29 novembre 12
  • 24. Abstract Type members The parameterized type way : trait Food class Grass extends Food class Fish extends Food trait Species[T <: Food] trait Animal[T <: Food] extends Species[T] class Cow extends Animal[Grass] jeudi 29 novembre 12
  • 25. Ad-Hoc Polymorphism Ad-Hoc polymorphism is a way to add behavior to an existing class without modifying it In Haskell, polymorphism is achieved using typeclasses Typeclasses abs :: (Num a, Ord a) => a -> a abs x = if x < 0 then -x else x jeudi 29 novembre 12
  • 26. Ad-Hoc Polymorphism In Scala, we can achieve Ad-Hoc polymorphism using implicits implicits are used in two places implicit conversion to convert a type to another implicit parameter jeudi 29 novembre 12
  • 27. Ad-Hoc Polymorphism In Scala, we can achieve Ad-Hoc polymorphism using implicits Scala library defines many Typeclasses to achieve Ad-Hoc polymorphism : Integral, Numeric, Ordering ... def abs[T](x: T)(implicit num: Numeric[T]): T = if(num.lt(x, num.zero)) num.negate(x) else x def max[T: Ordering](x: T, y: T): T = implicitly[Ordering[T]].max(x, y) jeudi 29 novembre 12
  • 28. Ad-Hoc Polymorphism We can define our own instances of existing typeclasses case class Student(name: String, score: Float) implicit object StudentOrdering extends Ordering[Student] { def compare(x: Student, y: Student) = x.score.compareTo(y.score) } scala> max(Student("Bob", 5.6F), Student("Alice", 5.8F)) res0: Student = Student(Alice,5.8) jeudi 29 novembre 12
  • 29. Ad-Hoc Polymorphism We can define our own instances of typeclasses implicit class Printable[A](a: A) { // since Scala 2.10 def printOut(): Unit = println(a.toString) } scala> "test".printOut test jeudi 29 novembre 12
  • 30. Ad-Hoc Polymorphism A more concrete example - Part 1 trait Searchable[T] { val id: String val indexedContent: String } class SearchEngine[T](defaultBuilder: String => T){ def index(searchable: Searchable[T]) { /* ... */ } def search(query: String)(builder: String => T = defaultBuilder): T = builder("0") } jeudi 29 novembre 12
  • 31. Ad-Hoc Polymorphism A more concrete example - Part 2 case class Person(id: Long, name: String) implicit def person2Searchable(p: Person) = new Searchable[Person] { val id = p.id.toString val indexedContent = p.name } val fakeEngine = new SearchEngine[Person]( id => Person(id.toLong, "retrieved content") ) jeudi 29 novembre 12
  • 32. Ad-Hoc Polymorphism Polymorphic Typeclasses instance definition class Hour[X] private (val x: X) { /* ... */ } object Hour { def apply[X](x: X)(implicit int: Integral[X]):Hour[X]= new Hour(int.rem(int.plus(int.rem(x, int.fromInt(12)), int.fromInt(12)), int.fromInt(12))) } implicit def hour2Monoid[X](implicit int: Integral[X]): Monoid[Hour[X]] = new Monoid[Hour[X]] { def append(f1: Hour[X], f2: => Hour[X]) = Hour(int.rem(int.plus(f1.x, f2.x), int.fromInt(12))) def zero = Hour(int.zero) } jeudi 29 novembre 12
  • 33. Existential Types Existential types are reference to type parameter that is unknown The Scala existential type in M[_] is the dual of Java wildcard M<?> They can be defined using : M[T] forSome { type T } or M[_] jeudi 29 novembre 12
  • 34. Existential Types We can bound existential types : M[T] forSome { type T <: AnyRef } or M[_ <: AnyRef] jeudi 29 novembre 12
  • 35. Generalized Type Constraints Constrain type using an implicit =:= same type <:< lower type >:> super type jeudi 29 novembre 12
  • 36. Generalized Type Constraints Example : trait Food class Grass extends Food class Fish extends Food trait Animal[SuitableFood <: Food] { def fish(implicit ev: SuitableFood =:= Fish){ println("I'm fishing") } } class Cow extends Animal[Grass] class Bear extends Animal[Fish] jeudi 29 novembre 12