SlideShare a Scribd company logo
{ FP in }
Fatih Nayebi | 2016-04-06 18:00 | Tour CGI
Swift Montréal Meetup
Agenda
• Introduction
• First-class, Higher-order and Pure Functions
• Closures
• Generics and Associated Type Protocols
• Enumerations and Pattern Matching
• Optionals
• Functors, Applicative Functors and Monads
Introduction
• Why Swift?
• Hybrid Language (FP, OOP and POP)
• Type Safety and Type Inference
• Immutability and Value Types
• Playground and REPL
• Automatic Reference Counting (ARC)
• Why Functional Programming matters?
Functional Programming
• A style of programming that models computations as
the evaluation of expressions
• Avoiding mutable states
• Declarative vs. Imperative
• Lazy evaluation
• Pattern matching
An introduction to functional programming with Swift
Declarative vs. Imperative
let numbers = [9, 29, 19, 79]
// Imperative example
var tripledNumbers:[Int] = []
for number in numbers {
tripledNumbers.append(number * 3)
}
print(tripledNumbers)
// Declarative example
let tripledIntNumbers = numbers.map({
number in 3 * number
})
print(tripledIntNumbers)
Shorter syntax
let tripledIntNumbers = numbers.map({
number in 3 * number
})
let tripledIntNumbers = numbers.map { $0 * 3 }
Lazy Evaluation
let oneToFour = [1, 2, 3, 4]
let firstNumber = oneToFour.lazy.map({ $0 * 3}).first!
print(firstNumber) // 3
Functions
• First-class citizens
• Functions are treated like any other values and can be passed to other
functions or returned as a result of a function
• Higher-order functions
• Functions that take other functions as their arguments
• Pure functions
• Functions that do not depend on any data outside of themselves and they
do not change any data outside of themselves
• They provide the same result each time they are executed (Referential
transparency makes it possible to conduct equational reasoning)
Nested Functions
func returnTwenty() -> Int {
var y = 10
func add() {
y += 10
}
add()
return y
}
returnTwenty()
Higher-order Functions
func calcualte(a: Int,
b: Int,
funcA: AddSubtractOperator,
funcB: SquareTripleOperator) -> Int
{
return funcA(funcB(a), funcB(b))
}
Returning Functions
func makeIncrementer() -> (Int -> Int) {
func addOne(number: Int) -> Int {
return 1 + number
}
return addOne
}
var increment = makeIncrementer()
increment(7)
Function Types
let mathOperator: (Double, Double) -> Double
typealias operator = (Double, Double) -> Double
var operator: SimpleOperator
func addTwoNumbers(a: Double, b: Double) -> Double
{ return a + b }
mathOperator = addTwoNumbers
let result = mathOperator(3.5, 5.5)
First-class Citizens
let name: String = "John Doe"
func sayHello(name: String) {
print("Hello (name)")
}
// we pass a String type with its respective
value
sayHello("John Doe") // or
sayHello(name)
// store a function in a variable to be able to
pass it around
let sayHelloFunc = sayHello
Function Composition
let content = "10,20,40,30,60"
func extractElements(content: String) -> [String] {
return content.characters.split(“,").map { String($0) }
}
let elements = extractElements(content)
func formatWithCurrency(content: [String]) -> [String] {
return content.map {"($0)$"}
}
let contentArray = ["10", "20", "40", "30", "60"]
let formattedElements = formatWithCurrency(contentArray)
Function Composition
let composedFunction = { data in
formatWithCurrency(extractElements(data))
}
composedFunction(content)
Custom Operators
infix operator |> { associativity left }
func |> <T, V>(f: T -> V, g: V -> V ) -> T -> V {
return { x in g(f(x)) }
}
let composedFn = extractElements |> formatWithCurrency
composedFn("10,20,40,30,80,60")
Closures
• Functions without the func keyword
• Closures are self-contained blocks of code that
provide a specific functionality, can be stored, passed
around and used in code.
• Closures are reference types
Closure Syntax
{ (parameters) -> ReturnType in
// body of closure
}
Closures as function parameters/arguments:
func({(Int) -> (Int) in
//statements
})
Closure Syntax (Cntd.)
let anArray = [10, 20, 40, 30, 80, 60]
anArray.sort({ (param1: Int, param2: Int) -> Bool in
return param1 < param2
})
anArray.sort({ (param1, param2) in
return param1 < param2
})
anArray.sort { (param1, param2) in
return param1 < param2
}
anArray.sort { return $0 < $1 }
anArray.sort { $0 < $1 }
Types
• Value vs. reference types
• Type inference and Casting
• Value type characteristics
• Behaviour - Value types do not behave
• Isolation - Value types have no implicit dependencies on the behaviour of
any external system
• Interchangeability - Because a value type is copied when it is assigned to a
new variable, all of those copies are completely interchangeable.
• Testability - There is no need for a mocking framework to write unit tests
that deal with value types.
struct vs. class
struct ourStruct {
var data: Int = 3
}
var valueA = ourStruct()
var valueB = valueA // valueA is copied to valueB
valueA.data = 5 // Changes valueA, not valueB
class ourClass {
var data: Int = 3
}
var referenceA = ourClass()
var referenceB = referenceA // referenceA is copied
to referenceB
referenceA.data = 5 // changes the instance
referred to by referenceA and referenceB
Type Casting (is and as)
• A way to check type of an instance, and/or to treat that
instance as if it is a different superclass or subclass from
somewhere else in its own class hierarchy.
• Type check operator - is - to check wether an instance is
of a certain subclass type
• Type cast operator - as and as? - A constant or variable
of a certain class type may actually refer to an instance of a
subclass behind the scenes. Where you believe this is the
case, you can try to downcast to the subclass type with
the as.
Enumerations
• Common type for related values to be used in a type-safe way
• Value provided for each enumeration member can be a string,
character, integer or any floating-point type.
• Associated Values - Can define Swift enumerations to store
Associated Values of any given type, and the value types can be
different for each member of the enumeration if needed
(discriminated unions, tagged unions, or variants).
• Raw Values - Enumeration members can come pre-populated with
default values, which are all of the same type.
• Algebraic data types
Enum & Pattern Matching
enum MLSTeam {
case Montreal
case Toronto
case NewYork
}
let theTeam = MLSTeam.Montreal
switch theTeam {
case .Montreal:
print("Montreal Impact")
case .Toronto:
print("Toronto FC")
case .NewYork:
print("Newyork Redbulls")
}
Algebraic Data Types
enum NHLTeam { case Canadiens, Senators, Rangers,
Penguins, BlackHawks, Capitals}
enum Team {
case Hockey(NHLTeam)
case Soccer(MLSTeam)
}
struct HockeyAndSoccerTeams {
var hockey: NHLTeam
var soccer: MLSTeam
}
enum HockeyAndSoccerTeams {
case Value(hockey: NHLTeam, soccer: MLSTeam)
}
Generics
• Generics enable us to write flexible and reusable functions and
types that can work with any type, subject to requirements that
we define.
func swapTwoIntegers(inout a: Int, inout b: Int) {
let tempA = a
a = b
b = tempA
}
func swapTwoValues<T>(inout a: T, inout b: T) {
let tempA = a
a = b
b = tempA
}
Functional Data Structures
enum Tree <T> {
case Leaf(T)
indirect case Node(Tree, Tree)
}
let ourGenericTree =
Tree.Node(Tree.Leaf("First"),
Tree.Node(Tree.Leaf("Second"),
Tree.Leaf("Third")))
Associated Type Protocols
protocol Container {
associatedtype ItemType
func append(item: ItemType)
}
Optionals!?
enum Optional<T> {
case None
case Some(T)
}
func mapOptionals<T, V>(transform: T -> V, input:
T?) -> V? {
switch input {
case .Some(let value): return transform(value)
case .None: return .None
}
}
Optionals!? (Cntd.)
class User {
var name: String?
}
func extractUserName(name: String) -> String {
return "(name)"
}
var nonOptionalUserName: String {
let user = User()
user.name = "John Doe"
let someUserName = mapOptionals(extractUserName, input:
user.name)
return someUserName ?? ""
}
fmap
infix operator <^> { associativity left }
func <^><T, V>(transform: T -> V, input: T?) -> V? {
switch input {
case .Some(let value): return transform(value)
case .None: return .None
}
}
var nonOptionalUserName: String {
let user = User()
user.name = "John Doe"
let someUserName = extractUserName <^> user.name
return someUserName ?? ""
}
apply
infix operator <*> { associativity left }
func <*><T, V>(transform: (T -> V)?, input: T?) -> V? {
switch transform {
case .Some(let fx): return fx <^> input
case .None: return .None
}
}
func extractFullUserName(firstName: String)(lastName: String) -> String {
return "(firstName) (lastName)"
}
var fullName: String {
let user = User()
user.firstName = "John"
user.lastName = "Doe"
let fullUserName = extractFullUserName <^> user.firstName <*> user.lastName
return fullUserName ?? ""
}
Monad
• Optional type is a Monad so it implements map and
flatMap
let optArr: [String?] = ["First", nil, "Third"]
let nonOptionalArray = optArr.flatMap { $0 }
Functor, Applicative Functor &
Monad
• Category Theory
• Functor: Any type that implements map function
• Applicative Functor: Functor + apply()
• Monad: Functor + flatMap()
Immutability
• Swift makes it easy to define immutables
• Powerful value types (struct, enum and tuple)
References
• The Swift Programming Language by Apple (swift.org)
• Addison Wesley - The Swift Developer’s Cookbook by
Erica Sadun
• Packt Publishing - Swift 2 Functional Programming by
Fatih Nayebi

More Related Content

What's hot (20)

Scala for Java Developers
Scala for Java DevelopersScala for Java Developers
Scala for Java Developers
Martin Ockajak
 
Refinement Types for Haskell
Refinement Types for HaskellRefinement Types for Haskell
Refinement Types for Haskell
Martin Ockajak
 
Demystifying Shapeless
Demystifying Shapeless Demystifying Shapeless
Demystifying Shapeless
Jared Roesch
 
Deriving Scalaz
Deriving ScalazDeriving Scalaz
Deriving Scalaz
nkpart
 
JavaScript Objects
JavaScript ObjectsJavaScript Objects
JavaScript Objects
Reem Alattas
 
Reflection in Go
Reflection in GoReflection in Go
Reflection in Go
strikr .
 
Types by Adform Research
Types by Adform ResearchTypes by Adform Research
Types by Adform Research
Vasil Remeniuk
 
ScalaTrainings
ScalaTrainingsScalaTrainings
ScalaTrainings
Chinedu Ekwunife
 
Templates
TemplatesTemplates
Templates
Pranali Chaudhari
 
javascript objects
javascript objectsjavascript objects
javascript objects
Vijay Kalyan
 
Functional Programming 101 with Scala and ZIO @FunctionalWorld
Functional Programming 101 with Scala and ZIO @FunctionalWorldFunctional Programming 101 with Scala and ZIO @FunctionalWorld
Functional Programming 101 with Scala and ZIO @FunctionalWorld
Jorge Vásquez
 
Functional Programming With Scala
Functional Programming With ScalaFunctional Programming With Scala
Functional Programming With Scala
Knoldus Inc.
 
Principles of functional progrmming in scala
Principles of functional progrmming in scalaPrinciples of functional progrmming in scala
Principles of functional progrmming in scala
ehsoon
 
C++ Templates 2
C++ Templates 2C++ Templates 2
C++ Templates 2
Ganesh Samarthyam
 
TypeScript Presentation - Jason Haffey
TypeScript Presentation - Jason HaffeyTypeScript Presentation - Jason Haffey
TypeScript Presentation - Jason Haffey
Ralph Johnson
 
SQL BUILT-IN FUNCTION
SQL BUILT-IN FUNCTIONSQL BUILT-IN FUNCTION
SQL BUILT-IN FUNCTION
Arun Sial
 
Functional programming with F#
Functional programming with F#Functional programming with F#
Functional programming with F#
Remik Koczapski
 
Scala jargon cheatsheet
Scala jargon cheatsheetScala jargon cheatsheet
Scala jargon cheatsheet
Ruslan Shevchenko
 
String and string manipulation x
String and string manipulation xString and string manipulation x
String and string manipulation x
Shahjahan Samoon
 
JavaScript - Chapter 6 - Basic Functions
 JavaScript - Chapter 6 - Basic Functions JavaScript - Chapter 6 - Basic Functions
JavaScript - Chapter 6 - Basic Functions
WebStackAcademy
 
Scala for Java Developers
Scala for Java DevelopersScala for Java Developers
Scala for Java Developers
Martin Ockajak
 
Refinement Types for Haskell
Refinement Types for HaskellRefinement Types for Haskell
Refinement Types for Haskell
Martin Ockajak
 
Demystifying Shapeless
Demystifying Shapeless Demystifying Shapeless
Demystifying Shapeless
Jared Roesch
 
Deriving Scalaz
Deriving ScalazDeriving Scalaz
Deriving Scalaz
nkpart
 
JavaScript Objects
JavaScript ObjectsJavaScript Objects
JavaScript Objects
Reem Alattas
 
Reflection in Go
Reflection in GoReflection in Go
Reflection in Go
strikr .
 
Types by Adform Research
Types by Adform ResearchTypes by Adform Research
Types by Adform Research
Vasil Remeniuk
 
javascript objects
javascript objectsjavascript objects
javascript objects
Vijay Kalyan
 
Functional Programming 101 with Scala and ZIO @FunctionalWorld
Functional Programming 101 with Scala and ZIO @FunctionalWorldFunctional Programming 101 with Scala and ZIO @FunctionalWorld
Functional Programming 101 with Scala and ZIO @FunctionalWorld
Jorge Vásquez
 
Functional Programming With Scala
Functional Programming With ScalaFunctional Programming With Scala
Functional Programming With Scala
Knoldus Inc.
 
Principles of functional progrmming in scala
Principles of functional progrmming in scalaPrinciples of functional progrmming in scala
Principles of functional progrmming in scala
ehsoon
 
TypeScript Presentation - Jason Haffey
TypeScript Presentation - Jason HaffeyTypeScript Presentation - Jason Haffey
TypeScript Presentation - Jason Haffey
Ralph Johnson
 
SQL BUILT-IN FUNCTION
SQL BUILT-IN FUNCTIONSQL BUILT-IN FUNCTION
SQL BUILT-IN FUNCTION
Arun Sial
 
Functional programming with F#
Functional programming with F#Functional programming with F#
Functional programming with F#
Remik Koczapski
 
String and string manipulation x
String and string manipulation xString and string manipulation x
String and string manipulation x
Shahjahan Samoon
 
JavaScript - Chapter 6 - Basic Functions
 JavaScript - Chapter 6 - Basic Functions JavaScript - Chapter 6 - Basic Functions
JavaScript - Chapter 6 - Basic Functions
WebStackAcademy
 

Similar to An introduction to functional programming with Swift (20)

Swift Programming
Swift ProgrammingSwift Programming
Swift Programming
Codemotion
 
Swift Introduction
Swift IntroductionSwift Introduction
Swift Introduction
Giuseppe Arici
 
What Swift can teach us all
What Swift can teach us allWhat Swift can teach us all
What Swift can teach us all
Pablo Villar
 
Introduction to Swift 2
Introduction to Swift 2Introduction to Swift 2
Introduction to Swift 2
Joris Timmerman
 
Quick swift tour
Quick swift tourQuick swift tour
Quick swift tour
Kazunobu Tasaka
 
Think sharp, write swift
Think sharp, write swiftThink sharp, write swift
Think sharp, write swift
Pascal Batty
 
Introduction to Swift
Introduction to SwiftIntroduction to Swift
Introduction to Swift
Matteo Battaglio
 
7 Habits For a More Functional Swift
7 Habits For a More Functional Swift7 Habits For a More Functional Swift
7 Habits For a More Functional Swift
Jason Larsen
 
Stanfy MadCode Meetup #9: Functional Programming 101 with Swift
Stanfy MadCode Meetup #9: Functional Programming 101 with SwiftStanfy MadCode Meetup #9: Functional Programming 101 with Swift
Stanfy MadCode Meetup #9: Functional Programming 101 with Swift
Stanfy
 
From android/java to swift (3)
From android/java to swift (3)From android/java to swift (3)
From android/java to swift (3)
allanh0526
 
Workshop Swift
Workshop Swift Workshop Swift
Workshop Swift
Commit University
 
Swift Rocks #2: Going functional
Swift Rocks #2: Going functionalSwift Rocks #2: Going functional
Swift Rocks #2: Going functional
Hackraft
 
Funcitonal Swift Conference: The Functional Way
Funcitonal Swift Conference: The Functional WayFuncitonal Swift Conference: The Functional Way
Funcitonal Swift Conference: The Functional Way
Natasha Murashev
 
Swift Programming Language
Swift Programming LanguageSwift Programming Language
Swift Programming Language
Giuseppe Arici
 
Introduction to Swift programming language.
Introduction to Swift programming language.Introduction to Swift programming language.
Introduction to Swift programming language.
Icalia Labs
 
Cocoa Design Patterns in Swift
Cocoa Design Patterns in SwiftCocoa Design Patterns in Swift
Cocoa Design Patterns in Swift
Michele Titolo
 
Swift the implicit parts
Swift the implicit partsSwift the implicit parts
Swift the implicit parts
Maxim Zaks
 
Swift - the future of iOS app development
Swift - the future of iOS app developmentSwift - the future of iOS app development
Swift - the future of iOS app development
openak
 
A swift introduction to Swift
A swift introduction to SwiftA swift introduction to Swift
A swift introduction to Swift
Giordano Scalzo
 
Pooya Khaloo Presentation on IWMC 2015
Pooya Khaloo Presentation on IWMC 2015Pooya Khaloo Presentation on IWMC 2015
Pooya Khaloo Presentation on IWMC 2015
Iran Entrepreneurship Association
 
Swift Programming
Swift ProgrammingSwift Programming
Swift Programming
Codemotion
 
What Swift can teach us all
What Swift can teach us allWhat Swift can teach us all
What Swift can teach us all
Pablo Villar
 
Think sharp, write swift
Think sharp, write swiftThink sharp, write swift
Think sharp, write swift
Pascal Batty
 
7 Habits For a More Functional Swift
7 Habits For a More Functional Swift7 Habits For a More Functional Swift
7 Habits For a More Functional Swift
Jason Larsen
 
Stanfy MadCode Meetup #9: Functional Programming 101 with Swift
Stanfy MadCode Meetup #9: Functional Programming 101 with SwiftStanfy MadCode Meetup #9: Functional Programming 101 with Swift
Stanfy MadCode Meetup #9: Functional Programming 101 with Swift
Stanfy
 
From android/java to swift (3)
From android/java to swift (3)From android/java to swift (3)
From android/java to swift (3)
allanh0526
 
Swift Rocks #2: Going functional
Swift Rocks #2: Going functionalSwift Rocks #2: Going functional
Swift Rocks #2: Going functional
Hackraft
 
Funcitonal Swift Conference: The Functional Way
Funcitonal Swift Conference: The Functional WayFuncitonal Swift Conference: The Functional Way
Funcitonal Swift Conference: The Functional Way
Natasha Murashev
 
Swift Programming Language
Swift Programming LanguageSwift Programming Language
Swift Programming Language
Giuseppe Arici
 
Introduction to Swift programming language.
Introduction to Swift programming language.Introduction to Swift programming language.
Introduction to Swift programming language.
Icalia Labs
 
Cocoa Design Patterns in Swift
Cocoa Design Patterns in SwiftCocoa Design Patterns in Swift
Cocoa Design Patterns in Swift
Michele Titolo
 
Swift the implicit parts
Swift the implicit partsSwift the implicit parts
Swift the implicit parts
Maxim Zaks
 
Swift - the future of iOS app development
Swift - the future of iOS app developmentSwift - the future of iOS app development
Swift - the future of iOS app development
openak
 
A swift introduction to Swift
A swift introduction to SwiftA swift introduction to Swift
A swift introduction to Swift
Giordano Scalzo
 
Ad

Recently uploaded (20)

Who will create the languages of the future?
Who will create the languages of the future?Who will create the languages of the future?
Who will create the languages of the future?
Jordi Cabot
 
Looking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdf
Looking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdfLooking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdf
Looking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdf
Varsha Nayak
 
MOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptx
MOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptxMOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptx
MOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptx
Maharshi Mallela
 
Migrating to Azure Cosmos DB the Right Way
Migrating to Azure Cosmos DB the Right WayMigrating to Azure Cosmos DB the Right Way
Migrating to Azure Cosmos DB the Right Way
Alexander (Alex) Komyagin
 
Step by step guide to install Flutter and Dart
Step by step guide to install Flutter and DartStep by step guide to install Flutter and Dart
Step by step guide to install Flutter and Dart
S Pranav (Deepu)
 
IMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptx
IMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptxIMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptx
IMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptx
usmanch7829
 
How the US Navy Approaches DevSecOps with Raise 2.0
How the US Navy Approaches DevSecOps with Raise 2.0How the US Navy Approaches DevSecOps with Raise 2.0
How the US Navy Approaches DevSecOps with Raise 2.0
Anchore
 
Generative Artificial Intelligence and its Applications
Generative Artificial Intelligence and its ApplicationsGenerative Artificial Intelligence and its Applications
Generative Artificial Intelligence and its Applications
SandeepKS52
 
Shell Skill Tree - LabEx Certification (LabEx)
Shell Skill Tree - LabEx Certification (LabEx)Shell Skill Tree - LabEx Certification (LabEx)
Shell Skill Tree - LabEx Certification (LabEx)
VICTOR MAESTRE RAMIREZ
 
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
BradBedford3
 
Software Engineering Process, Notation & Tools Introduction - Part 4
Software Engineering Process, Notation & Tools Introduction - Part 4Software Engineering Process, Notation & Tools Introduction - Part 4
Software Engineering Process, Notation & Tools Introduction - Part 4
Gaurav Sharma
 
Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...
Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...
Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...
Intelli grow
 
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
DevOps for AI: running LLMs in production with Kubernetes and KubeFlowDevOps for AI: running LLMs in production with Kubernetes and KubeFlow
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
Aarno Aukia
 
Plooma is a writing platform to plan, write, and shape books your way
Plooma is a writing platform to plan, write, and shape books your wayPlooma is a writing platform to plan, write, and shape books your way
Plooma is a writing platform to plan, write, and shape books your way
Plooma
 
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Natan Silnitsky
 
dp-700 exam questions sample docume .pdf
dp-700 exam questions sample docume .pdfdp-700 exam questions sample docume .pdf
dp-700 exam questions sample docume .pdf
pravkumarbiz
 
Smadav Pro 2025 Rev 15.4 Crack Full Version With Registration Key
Smadav Pro 2025 Rev 15.4 Crack Full Version With Registration KeySmadav Pro 2025 Rev 15.4 Crack Full Version With Registration Key
Smadav Pro 2025 Rev 15.4 Crack Full Version With Registration Key
joybepari360
 
GDG Douglas - Google AI Agents: Your Next Intern?
GDG Douglas - Google AI Agents: Your Next Intern?GDG Douglas - Google AI Agents: Your Next Intern?
GDG Douglas - Google AI Agents: Your Next Intern?
felipeceotto
 
AI-Powered Compliance Solutions for Global Regulations | Certivo
AI-Powered Compliance Solutions for Global Regulations | CertivoAI-Powered Compliance Solutions for Global Regulations | Certivo
AI-Powered Compliance Solutions for Global Regulations | Certivo
certivoai
 
How to Choose the Right Web Development Agency.pdf
How to Choose the Right Web Development Agency.pdfHow to Choose the Right Web Development Agency.pdf
How to Choose the Right Web Development Agency.pdf
Creative Fosters
 
Who will create the languages of the future?
Who will create the languages of the future?Who will create the languages of the future?
Who will create the languages of the future?
Jordi Cabot
 
Looking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdf
Looking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdfLooking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdf
Looking for a BIRT Report Alternative Here’s Why Helical Insight Stands Out.pdf
Varsha Nayak
 
MOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptx
MOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptxMOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptx
MOVIE RECOMMENDATION SYSTEM, UDUMULA GOPI REDDY, Y24MC13085.pptx
Maharshi Mallela
 
Step by step guide to install Flutter and Dart
Step by step guide to install Flutter and DartStep by step guide to install Flutter and Dart
Step by step guide to install Flutter and Dart
S Pranav (Deepu)
 
IMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptx
IMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptxIMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptx
IMAGE CLASSIFICATION USING CONVOLUTIONAL NEURAL NETWORK.P.pptx
usmanch7829
 
How the US Navy Approaches DevSecOps with Raise 2.0
How the US Navy Approaches DevSecOps with Raise 2.0How the US Navy Approaches DevSecOps with Raise 2.0
How the US Navy Approaches DevSecOps with Raise 2.0
Anchore
 
Generative Artificial Intelligence and its Applications
Generative Artificial Intelligence and its ApplicationsGenerative Artificial Intelligence and its Applications
Generative Artificial Intelligence and its Applications
SandeepKS52
 
Shell Skill Tree - LabEx Certification (LabEx)
Shell Skill Tree - LabEx Certification (LabEx)Shell Skill Tree - LabEx Certification (LabEx)
Shell Skill Tree - LabEx Certification (LabEx)
VICTOR MAESTRE RAMIREZ
 
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
BradBedford3
 
Software Engineering Process, Notation & Tools Introduction - Part 4
Software Engineering Process, Notation & Tools Introduction - Part 4Software Engineering Process, Notation & Tools Introduction - Part 4
Software Engineering Process, Notation & Tools Introduction - Part 4
Gaurav Sharma
 
Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...
Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...
Smart Financial Solutions: Money Lender Software, Daily Pigmy & Personal Loan...
Intelli grow
 
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
DevOps for AI: running LLMs in production with Kubernetes and KubeFlowDevOps for AI: running LLMs in production with Kubernetes and KubeFlow
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
Aarno Aukia
 
Plooma is a writing platform to plan, write, and shape books your way
Plooma is a writing platform to plan, write, and shape books your wayPlooma is a writing platform to plan, write, and shape books your way
Plooma is a writing platform to plan, write, and shape books your way
Plooma
 
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Natan Silnitsky
 
dp-700 exam questions sample docume .pdf
dp-700 exam questions sample docume .pdfdp-700 exam questions sample docume .pdf
dp-700 exam questions sample docume .pdf
pravkumarbiz
 
Smadav Pro 2025 Rev 15.4 Crack Full Version With Registration Key
Smadav Pro 2025 Rev 15.4 Crack Full Version With Registration KeySmadav Pro 2025 Rev 15.4 Crack Full Version With Registration Key
Smadav Pro 2025 Rev 15.4 Crack Full Version With Registration Key
joybepari360
 
GDG Douglas - Google AI Agents: Your Next Intern?
GDG Douglas - Google AI Agents: Your Next Intern?GDG Douglas - Google AI Agents: Your Next Intern?
GDG Douglas - Google AI Agents: Your Next Intern?
felipeceotto
 
AI-Powered Compliance Solutions for Global Regulations | Certivo
AI-Powered Compliance Solutions for Global Regulations | CertivoAI-Powered Compliance Solutions for Global Regulations | Certivo
AI-Powered Compliance Solutions for Global Regulations | Certivo
certivoai
 
How to Choose the Right Web Development Agency.pdf
How to Choose the Right Web Development Agency.pdfHow to Choose the Right Web Development Agency.pdf
How to Choose the Right Web Development Agency.pdf
Creative Fosters
 
Ad

An introduction to functional programming with Swift

  • 1. { FP in } Fatih Nayebi | 2016-04-06 18:00 | Tour CGI Swift Montréal Meetup
  • 2. Agenda • Introduction • First-class, Higher-order and Pure Functions • Closures • Generics and Associated Type Protocols • Enumerations and Pattern Matching • Optionals • Functors, Applicative Functors and Monads
  • 3. Introduction • Why Swift? • Hybrid Language (FP, OOP and POP) • Type Safety and Type Inference • Immutability and Value Types • Playground and REPL • Automatic Reference Counting (ARC) • Why Functional Programming matters?
  • 4. Functional Programming • A style of programming that models computations as the evaluation of expressions • Avoiding mutable states • Declarative vs. Imperative • Lazy evaluation • Pattern matching
  • 6. Declarative vs. Imperative let numbers = [9, 29, 19, 79] // Imperative example var tripledNumbers:[Int] = [] for number in numbers { tripledNumbers.append(number * 3) } print(tripledNumbers) // Declarative example let tripledIntNumbers = numbers.map({ number in 3 * number }) print(tripledIntNumbers)
  • 7. Shorter syntax let tripledIntNumbers = numbers.map({ number in 3 * number }) let tripledIntNumbers = numbers.map { $0 * 3 }
  • 8. Lazy Evaluation let oneToFour = [1, 2, 3, 4] let firstNumber = oneToFour.lazy.map({ $0 * 3}).first! print(firstNumber) // 3
  • 9. Functions • First-class citizens • Functions are treated like any other values and can be passed to other functions or returned as a result of a function • Higher-order functions • Functions that take other functions as their arguments • Pure functions • Functions that do not depend on any data outside of themselves and they do not change any data outside of themselves • They provide the same result each time they are executed (Referential transparency makes it possible to conduct equational reasoning)
  • 10. Nested Functions func returnTwenty() -> Int { var y = 10 func add() { y += 10 } add() return y } returnTwenty()
  • 11. Higher-order Functions func calcualte(a: Int, b: Int, funcA: AddSubtractOperator, funcB: SquareTripleOperator) -> Int { return funcA(funcB(a), funcB(b)) }
  • 12. Returning Functions func makeIncrementer() -> (Int -> Int) { func addOne(number: Int) -> Int { return 1 + number } return addOne } var increment = makeIncrementer() increment(7)
  • 13. Function Types let mathOperator: (Double, Double) -> Double typealias operator = (Double, Double) -> Double var operator: SimpleOperator func addTwoNumbers(a: Double, b: Double) -> Double { return a + b } mathOperator = addTwoNumbers let result = mathOperator(3.5, 5.5)
  • 14. First-class Citizens let name: String = "John Doe" func sayHello(name: String) { print("Hello (name)") } // we pass a String type with its respective value sayHello("John Doe") // or sayHello(name) // store a function in a variable to be able to pass it around let sayHelloFunc = sayHello
  • 15. Function Composition let content = "10,20,40,30,60" func extractElements(content: String) -> [String] { return content.characters.split(“,").map { String($0) } } let elements = extractElements(content) func formatWithCurrency(content: [String]) -> [String] { return content.map {"($0)$"} } let contentArray = ["10", "20", "40", "30", "60"] let formattedElements = formatWithCurrency(contentArray)
  • 16. Function Composition let composedFunction = { data in formatWithCurrency(extractElements(data)) } composedFunction(content)
  • 17. Custom Operators infix operator |> { associativity left } func |> <T, V>(f: T -> V, g: V -> V ) -> T -> V { return { x in g(f(x)) } } let composedFn = extractElements |> formatWithCurrency composedFn("10,20,40,30,80,60")
  • 18. Closures • Functions without the func keyword • Closures are self-contained blocks of code that provide a specific functionality, can be stored, passed around and used in code. • Closures are reference types
  • 19. Closure Syntax { (parameters) -> ReturnType in // body of closure } Closures as function parameters/arguments: func({(Int) -> (Int) in //statements })
  • 20. Closure Syntax (Cntd.) let anArray = [10, 20, 40, 30, 80, 60] anArray.sort({ (param1: Int, param2: Int) -> Bool in return param1 < param2 }) anArray.sort({ (param1, param2) in return param1 < param2 }) anArray.sort { (param1, param2) in return param1 < param2 } anArray.sort { return $0 < $1 } anArray.sort { $0 < $1 }
  • 21. Types • Value vs. reference types • Type inference and Casting • Value type characteristics • Behaviour - Value types do not behave • Isolation - Value types have no implicit dependencies on the behaviour of any external system • Interchangeability - Because a value type is copied when it is assigned to a new variable, all of those copies are completely interchangeable. • Testability - There is no need for a mocking framework to write unit tests that deal with value types.
  • 22. struct vs. class struct ourStruct { var data: Int = 3 } var valueA = ourStruct() var valueB = valueA // valueA is copied to valueB valueA.data = 5 // Changes valueA, not valueB class ourClass { var data: Int = 3 } var referenceA = ourClass() var referenceB = referenceA // referenceA is copied to referenceB referenceA.data = 5 // changes the instance referred to by referenceA and referenceB
  • 23. Type Casting (is and as) • A way to check type of an instance, and/or to treat that instance as if it is a different superclass or subclass from somewhere else in its own class hierarchy. • Type check operator - is - to check wether an instance is of a certain subclass type • Type cast operator - as and as? - A constant or variable of a certain class type may actually refer to an instance of a subclass behind the scenes. Where you believe this is the case, you can try to downcast to the subclass type with the as.
  • 24. Enumerations • Common type for related values to be used in a type-safe way • Value provided for each enumeration member can be a string, character, integer or any floating-point type. • Associated Values - Can define Swift enumerations to store Associated Values of any given type, and the value types can be different for each member of the enumeration if needed (discriminated unions, tagged unions, or variants). • Raw Values - Enumeration members can come pre-populated with default values, which are all of the same type. • Algebraic data types
  • 25. Enum & Pattern Matching enum MLSTeam { case Montreal case Toronto case NewYork } let theTeam = MLSTeam.Montreal switch theTeam { case .Montreal: print("Montreal Impact") case .Toronto: print("Toronto FC") case .NewYork: print("Newyork Redbulls") }
  • 26. Algebraic Data Types enum NHLTeam { case Canadiens, Senators, Rangers, Penguins, BlackHawks, Capitals} enum Team { case Hockey(NHLTeam) case Soccer(MLSTeam) } struct HockeyAndSoccerTeams { var hockey: NHLTeam var soccer: MLSTeam } enum HockeyAndSoccerTeams { case Value(hockey: NHLTeam, soccer: MLSTeam) }
  • 27. Generics • Generics enable us to write flexible and reusable functions and types that can work with any type, subject to requirements that we define. func swapTwoIntegers(inout a: Int, inout b: Int) { let tempA = a a = b b = tempA } func swapTwoValues<T>(inout a: T, inout b: T) { let tempA = a a = b b = tempA }
  • 28. Functional Data Structures enum Tree <T> { case Leaf(T) indirect case Node(Tree, Tree) } let ourGenericTree = Tree.Node(Tree.Leaf("First"), Tree.Node(Tree.Leaf("Second"), Tree.Leaf("Third")))
  • 29. Associated Type Protocols protocol Container { associatedtype ItemType func append(item: ItemType) }
  • 30. Optionals!? enum Optional<T> { case None case Some(T) } func mapOptionals<T, V>(transform: T -> V, input: T?) -> V? { switch input { case .Some(let value): return transform(value) case .None: return .None } }
  • 31. Optionals!? (Cntd.) class User { var name: String? } func extractUserName(name: String) -> String { return "(name)" } var nonOptionalUserName: String { let user = User() user.name = "John Doe" let someUserName = mapOptionals(extractUserName, input: user.name) return someUserName ?? "" }
  • 32. fmap infix operator <^> { associativity left } func <^><T, V>(transform: T -> V, input: T?) -> V? { switch input { case .Some(let value): return transform(value) case .None: return .None } } var nonOptionalUserName: String { let user = User() user.name = "John Doe" let someUserName = extractUserName <^> user.name return someUserName ?? "" }
  • 33. apply infix operator <*> { associativity left } func <*><T, V>(transform: (T -> V)?, input: T?) -> V? { switch transform { case .Some(let fx): return fx <^> input case .None: return .None } } func extractFullUserName(firstName: String)(lastName: String) -> String { return "(firstName) (lastName)" } var fullName: String { let user = User() user.firstName = "John" user.lastName = "Doe" let fullUserName = extractFullUserName <^> user.firstName <*> user.lastName return fullUserName ?? "" }
  • 34. Monad • Optional type is a Monad so it implements map and flatMap let optArr: [String?] = ["First", nil, "Third"] let nonOptionalArray = optArr.flatMap { $0 }
  • 35. Functor, Applicative Functor & Monad • Category Theory • Functor: Any type that implements map function • Applicative Functor: Functor + apply() • Monad: Functor + flatMap()
  • 36. Immutability • Swift makes it easy to define immutables • Powerful value types (struct, enum and tuple)
  • 37. References • The Swift Programming Language by Apple (swift.org) • Addison Wesley - The Swift Developer’s Cookbook by Erica Sadun • Packt Publishing - Swift 2 Functional Programming by Fatih Nayebi