SlideShare ist ein Scribd-Unternehmen logo
1 von 71
Downloaden Sie, um offline zu lesen
Programação Funcional
FISL 2013
Juarez Bochi
λ
Sunday, July 14, 13
Juarez Bochi
Sunday, July 14, 13
Juarez Bochi
Sunday, July 14, 13
Juarez Bochi
Sunday, July 14, 13
Juarez Bochi
Sunday, July 14, 13
Juarez Bochi
Sunday, July 14, 13
Agenda
• Motivação
• Conceitos
• Exemplos
• Resumo
Sunday, July 14, 13
Motivação
Sunday, July 14, 13
Ler um arquivo, listar
as palavras mais
comuns em ordem
decrescente.
Sunday, July 14, 13
Ler um arquivo, listar
as palavras mais
comuns em ordem
decrescente.
Sunday, July 14, 13
Donald Knuth
X
Sunday, July 14, 13
Donald Knuth Doug McIlroy
X
Sunday, July 14, 13
Donald Knuth Doug McIlroy
X
10+ páginas de Pascal/WEB
Sunday, July 14, 13
Donald Knuth Doug McIlroy
X
10+ páginas de Pascal/WEB 6 linhas de shell
Sunday, July 14, 13
tr -cs A-Za-z 'n' |
tr A-Z a-z |
sort |
uniq -c |
sort -rn |
sed ${1}q
Sunday, July 14, 13
Sunday, July 14, 13
$ cat discurso.txt | tr -cs A-Za-z 'n' | tr A-Z a-z | sort |
uniq -c | sort -rn | sed 40q
65 e
48 de
42 a
35 o
32 que
18 os
15 para
15 com
14 mais
13 nao
13 do
11 as
10 um
10 dos
10 da
9 das
8 ela
7 todos
7 se
7 pais
7 muito
6 ruas
6 brasil
5 violencia
Sunday, July 14, 13
“Keep it simple, make
it general, and make it
intelligible.”
Doug McIlroy
Sunday, July 14, 13
“Keep it simple, make
it general, and make it
intelligible.”
Doug McIlroy
Sunday, July 14, 13
Conceitos
Sunday, July 14, 13
Paradigmas
• Imperativo
• Lógico
• Funcional
• Orientado a Objetos
Sunday, July 14, 13
Paradigma Imperativo
Linguagem Computador
Variáveis Mutáveis Endereço de memória
Estruturas de controle
(if-then-else, loop)
Jumps
Sunday, July 14, 13
“Can Programming Be
Liberated from the von.
Neumann Style?”
John Backus - Turing Award Lecture
Sunday, July 14, 13
Programação Funcional
• Concentrar em teorias, não mutações
• Minimizar mudança de estados
• Sem estruturas de controle
imperativas
• Foco em funções
Sunday, July 14, 13
“Programação Funcional
é ortogonal à Orientação
a Objetos”
Sunday, July 14, 13
Elementos de Programação
• Expressões Primitivas
• Meios de Combinação
• Meios de Abstração
Sunday, July 14, 13
Exemplos
Sunday, July 14, 13
First Class Functions
Sunday, July 14, 13
First Class Functions
Sunday, July 14, 13
Closure
> var inc, dec;
undefined
> function contador() {
... var x = 0;
... inc = function() { return ++x; };
... dec = function() { return --x; };
... }
undefined
> contador();
undefined
Sunday, July 14, 13
Closure
> inc();
1
> inc();
2
> dec();
1
> dec();
0
> inc();
1
> x
ReferenceError: x is not defined
Sunday, July 14, 13
> import Control.Applicative
> let foo = fmap (+3) (+2)
> foo 10
15
Sunday, July 14, 13
> import Control.Applicative
> let foo = fmap (+3) (+2)
> foo 10
15
Sunday, July 14, 13
> (defn soma3 [x] (+ x 3))
Sunday, July 14, 13
> (defn soma3 [x] (+ x 3))
> (map soma3 [2 4 6])
(5 7 9)
Sunday, July 14, 13
> (defn soma3 [x] (+ x 3))
> (map soma3 [2 4 6])
(5 7 9)
Sunday, July 14, 13
> (defn soma3 [x] (+ x 3))
> (map soma3 [2 4 6])
(5 7 9)
> (pmap soma3 [2 4 6])
(5 7 9)
Sunday, July 14, 13
Higher Order Function
pessoas = [{'nome': 'Adolfo', 'estado': 'MG'},
{'nome': 'Pedro', 'estado': 'RS'},
{'nome': 'Maria', 'estado': 'AC'}]
def por_estado(pessoa1, pessoa2):
return cmp(pessoa1['estado'], pessoa2['estado'])
>>> pprint.pprint(sorted(pessoas, cmp=por_estado))
[{'estado': 'AC', 'nome': 'Maria'},
{'estado': 'MG', 'nome': 'Adolfo'},
{'estado': 'RS', 'nome': 'Pedro'}]
Sunday, July 14, 13
Recursão
Sunday, July 14, 13
Recursão
(define (fib n)
.. (if (< n 2)
.. n
.. (+ (fib (- n 1)) (fib (- n 2)))))
(fib 10)
=> 55
Sunday, July 14, 13
Tail Call Optimization
1. fib(5)
2. fib(4) + fib(3)
3. (fib(3) + fib(2)) + (fib(2) + fib(1))
4. ((fib(2) + fib(1)) + (fib(1) + fib(0))) + ((fibb(1) + fib(0)) + fib(1))
5. (((fib(1) + fib(0)) + fib(1)) + (fib(1) + fib(0))) + ((fib(1) + fib(0)) +
fib(1))
Sunday, July 14, 13
Tail Call Optimization
(define (fib n)
.. (letrec ((fib-aux (lambda (n a b)
.. (if (= n 0)
.. a
.. (fib-aux (- n 1) b (+ a b))))))
.. (fib-aux n 0 1)))
(fib 1000)
=> 4.346655768693743e+208
1. fib(5)
2. fib(4) + fib(3)
3. (fib(3) + fib(2)) + (fib(2) + fib(1))
4. ((fib(2) + fib(1)) + (fib(1) + fib(0))) + ((fibb(1) + fib(0)) + fib(1))
5. (((fib(1) + fib(0)) + fib(1)) + (fib(1) + fib(0))) + ((fib(1) + fib(0)) +
fib(1))
Sunday, July 14, 13
Sunday, July 14, 13
Currying & Partials
def to_tag(tag, texto):
return "<{tag}>{texto}</{tag}>".format(tag=tag,
texto=texto)
Sunday, July 14, 13
Currying & Partials
def partial(funcao, argumento):
def fn(arg):
return funcao(argumento, arg)
return fn
def to_tag(tag, texto):
return "<{tag}>{texto}</{tag}>".format(tag=tag,
texto=texto)
Sunday, July 14, 13
Currying & Partials
def partial(funcao, argumento):
def fn(arg):
return funcao(argumento, arg)
return fn
def to_tag(tag, texto):
return "<{tag}>{texto}</{tag}>".format(tag=tag,
texto=texto)
negrito = partial(to_tag, 'b')
italico = partial(to_tag, 'i')
Sunday, July 14, 13
Currying & Partials
def partial(funcao, argumento):
def fn(arg):
return funcao(argumento, arg)
return fn
def to_tag(tag, texto):
return "<{tag}>{texto}</{tag}>".format(tag=tag,
texto=texto)
negrito = partial(to_tag, 'b')
italico = partial(to_tag, 'i')
>>> negrito(italico("Oi, FISL!"))
"<b><i>Oi FISL!</i></b>"
Sunday, July 14, 13
Currying & Partials
def partial(funcao, argumento):
def fn(arg):
return funcao(argumento, arg)
return fn
def to_tag(tag, texto):
return "<{tag}>{texto}</{tag}>".format(tag=tag,
texto=texto)
DSL!!
negrito = partial(to_tag, 'b')
italico = partial(to_tag, 'i')
>>> negrito(italico("Oi, FISL!"))
"<b><i>Oi FISL!</i></b>"
Sunday, July 14, 13
Laziness
Sunday, July 14, 13
Laziness
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
 
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
 
def sieve(s: Stream[Int]): Stream[Int] =
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
 
def sieve(s: Stream[Int]): Stream[Int] =
s.head #:: sieve(s.tail filter (_ % s.head != 0))
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
 
def sieve(s: Stream[Int]): Stream[Int] =
s.head #:: sieve(s.tail filter (_ % s.head != 0))
 
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
 
def sieve(s: Stream[Int]): Stream[Int] =
s.head #:: sieve(s.tail filter (_ % s.head != 0))
 
val primes = sieve(from(2))
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
 
def sieve(s: Stream[Int]): Stream[Int] =
s.head #:: sieve(s.tail filter (_ % s.head != 0))
 
val primes = sieve(from(2))
 
Sunday, July 14, 13
Laziness
def from(n: Int): Stream[Int] = n #:: from(n+1)
 
val nats = from(0)
 
def sieve(s: Stream[Int]): Stream[Int] =
s.head #:: sieve(s.tail filter (_ % s.head != 0))
 
val primes = sieve(from(2))
 
(primes take N).toList
Sunday, July 14, 13
Data Abstraction
class Zero(Natural):
def __init__(self):
pass
def __repr__(self):
return "0"
def __add__(self, other):
return other
Sunday, July 14, 13
Data Abstraction
class Zero(Natural):
def __init__(self):
pass
def __repr__(self):
return "0"
def __add__(self, other):
return other
class Natural(object):
def __init__(self, anterior):
self.anterior = anterior
def __repr__(self):
return repr(self.anterior) + " + 1"
def __add__(self, other):
return self.anterior + other.sucessor()
def sucessor(self):
return Natural(anterior=self)
Sunday, July 14, 13
Data Abstraction
class Zero(Natural):
def __init__(self):
pass
def __repr__(self):
return "0"
def __add__(self, other):
return other
class Natural(object):
def __init__(self, anterior):
self.anterior = anterior
def __repr__(self):
return repr(self.anterior) + " + 1"
def __add__(self, other):
return self.anterior + other.sucessor()
def sucessor(self):
return Natural(anterior=self)>>> zero = Zero()
>>> um = zero.sucessor()
>>> dois = um.sucessor()
>>> um
0 + 1
>>> dois
0 + 1 + 1
>>> um + dois
0 + 1 + 1 + 1
Sunday, July 14, 13
Resumo
Sunday, July 14, 13
Blub Paradox
Sunday, July 14, 13
Resumo
Código fácil de entender
Sunday, July 14, 13
Resumo
Código fácil de manter
Sunday, July 14, 13
Resumo
Código fácil de testar
Sunday, July 14, 13
Resumo
Código fácil de escalar
Sunday, July 14, 13
Obrigado!
@jbochi
Sunday, July 14, 13
Referências
• http://www.leancrew.com/all-this/2011/12/more-shell-less-egg/
• http://onesixtythree.com/literate/literate2.pdf
• http://mitpress.mit.edu/sicp/
• http://www.paulgraham.com/avg.html
• https://www.coursera.org/course/progfun
• http://www.slideshare.net/jbochi/programao-funcional-em-python
• https://raw.github.com/richhickey/slides/master/simplicitymatters.pdf
• http://pragprog.com/magazines/2013-01/functional-programming-basics
• http://adit.io/posts/2013-04-17-functors,_applicatives,_and_monads_in_pictures.html
• http://en.literateprograms.org/Fibonacci_numbers_(Scheme)
• http://norvig.com/21-days.html
• http://www.youtube.com/watch?v=3jg1AheF4n0
• http://www.flickr.com/photos/niceric/74977685/sizes/l/in/
Sunday, July 14, 13

Weitere ähnliche Inhalte

Was ist angesagt?

Functional Pattern Matching on Python
Functional Pattern Matching on PythonFunctional Pattern Matching on Python
Functional Pattern Matching on Python
Daker Fernandes
 
JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...
JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...
JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...
PROIDEA
 

Was ist angesagt? (20)

Functional Pattern Matching on Python
Functional Pattern Matching on PythonFunctional Pattern Matching on Python
Functional Pattern Matching on Python
 
JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...
JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...
JDD2015: Functional programing and Event Sourcing - a pair made in heaven - e...
 
หัดเขียน A.I. แบบ AlphaGo กันชิวๆ
หัดเขียน A.I. แบบ AlphaGo กันชิวๆหัดเขียน A.I. แบบ AlphaGo กันชิวๆ
หัดเขียน A.I. แบบ AlphaGo กันชิวๆ
 
Build a compiler in 2hrs - NCrafts Paris 2015
Build a compiler in 2hrs -  NCrafts Paris 2015Build a compiler in 2hrs -  NCrafts Paris 2015
Build a compiler in 2hrs - NCrafts Paris 2015
 
How old consoles work!
How old consoles work!How old consoles work!
How old consoles work!
 
Frege is a Haskell for the JVM
Frege is a Haskell for the JVMFrege is a Haskell for the JVM
Frege is a Haskell for the JVM
 
Perl6 a whistle stop tour
Perl6 a whistle stop tourPerl6 a whistle stop tour
Perl6 a whistle stop tour
 
Perl6 a whistle stop tour
Perl6 a whistle stop tourPerl6 a whistle stop tour
Perl6 a whistle stop tour
 
Learning How To Use Jquery #5
Learning How To Use Jquery #5Learning How To Use Jquery #5
Learning How To Use Jquery #5
 
Intro to OTP in Elixir
Intro to OTP in ElixirIntro to OTP in Elixir
Intro to OTP in Elixir
 
Begin with Python
Begin with PythonBegin with Python
Begin with Python
 
Five
FiveFive
Five
 
The amazing world behind your ORM
The amazing world behind your ORMThe amazing world behind your ORM
The amazing world behind your ORM
 
Chap 5 php files part-2
Chap 5 php files   part-2Chap 5 php files   part-2
Chap 5 php files part-2
 
A Python Crash Course
A Python Crash CourseA Python Crash Course
A Python Crash Course
 
Investigating Python Wats
Investigating Python WatsInvestigating Python Wats
Investigating Python Wats
 
Having Fun Programming!
Having Fun Programming!Having Fun Programming!
Having Fun Programming!
 
RではじめるTwitter解析
RではじめるTwitter解析RではじめるTwitter解析
RではじめるTwitter解析
 
Don't do this
Don't do thisDon't do this
Don't do this
 
Damn Fine CoffeeScript
Damn Fine CoffeeScriptDamn Fine CoffeeScript
Damn Fine CoffeeScript
 

Ähnlich wie Programação Funcional

関数潮流(Function Tendency)
関数潮流(Function Tendency)関数潮流(Function Tendency)
関数潮流(Function Tendency)
riue
 
Seattle.rb 6.4
Seattle.rb 6.4Seattle.rb 6.4
Seattle.rb 6.4
deanhudson
 
Python utan-stodhjul-motorsag
Python utan-stodhjul-motorsagPython utan-stodhjul-motorsag
Python utan-stodhjul-motorsag
niklal
 
An Introduction to JavaScript: Week 4
An Introduction to JavaScript: Week 4An Introduction to JavaScript: Week 4
An Introduction to JavaScript: Week 4
Event Handler
 
Introduction to R
Introduction to RIntroduction to R
Introduction to R
agnonchik
 

Ähnlich wie Programação Funcional (20)

Clojure night
Clojure nightClojure night
Clojure night
 
First Ride on Rust
First Ride on RustFirst Ride on Rust
First Ride on Rust
 
Programación funcional con haskell
Programación funcional con haskellProgramación funcional con haskell
Programación funcional con haskell
 
Python quickstart for programmers: Python Kung Fu
Python quickstart for programmers: Python Kung FuPython quickstart for programmers: Python Kung Fu
Python quickstart for programmers: Python Kung Fu
 
D-Talk: What's awesome about Ruby 2.x and Rails 4
D-Talk: What's awesome about Ruby 2.x and Rails 4D-Talk: What's awesome about Ruby 2.x and Rails 4
D-Talk: What's awesome about Ruby 2.x and Rails 4
 
関数潮流(Function Tendency)
関数潮流(Function Tendency)関数潮流(Function Tendency)
関数潮流(Function Tendency)
 
Purely Functional I/O
Purely Functional I/OPurely Functional I/O
Purely Functional I/O
 
Seattle.rb 6.4
Seattle.rb 6.4Seattle.rb 6.4
Seattle.rb 6.4
 
Fluentdがよくわからなかった話
Fluentdがよくわからなかった話Fluentdがよくわからなかった話
Fluentdがよくわからなかった話
 
Byterun, a Python bytecode interpreter - Allison Kaptur at NYCPython
Byterun, a Python bytecode interpreter - Allison Kaptur at NYCPythonByterun, a Python bytecode interpreter - Allison Kaptur at NYCPython
Byterun, a Python bytecode interpreter - Allison Kaptur at NYCPython
 
Python utan-stodhjul-motorsag
Python utan-stodhjul-motorsagPython utan-stodhjul-motorsag
Python utan-stodhjul-motorsag
 
Music as data
Music as dataMusic as data
Music as data
 
Dig1108 Lesson 3
Dig1108 Lesson 3Dig1108 Lesson 3
Dig1108 Lesson 3
 
Functional linear data structures in f#
Functional linear data structures in f#Functional linear data structures in f#
Functional linear data structures in f#
 
FP in scalaで鍛える関数型脳
FP in scalaで鍛える関数型脳FP in scalaで鍛える関数型脳
FP in scalaで鍛える関数型脳
 
PythonOOP
PythonOOPPythonOOP
PythonOOP
 
An Introduction to JavaScript: Week 4
An Introduction to JavaScript: Week 4An Introduction to JavaScript: Week 4
An Introduction to JavaScript: Week 4
 
Python 101 language features and functional programming
Python 101 language features and functional programmingPython 101 language features and functional programming
Python 101 language features and functional programming
 
Introduction to R
Introduction to RIntroduction to R
Introduction to R
 
Haskellで学ぶ関数型言語
Haskellで学ぶ関数型言語Haskellで学ぶ関数型言語
Haskellで学ぶ関数型言語
 

Kürzlich hochgeladen

Kürzlich hochgeladen (20)

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...
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
 
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdfUnderstanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
 
HTML Injection Attacks: Impact and Mitigation Strategies
HTML Injection Attacks: Impact and Mitigation StrategiesHTML Injection Attacks: Impact and Mitigation Strategies
HTML Injection Attacks: Impact and Mitigation Strategies
 
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)
 
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot TakeoffStrategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
 
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
 
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin WoodPolkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...
 
Artificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : UncertaintyArtificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : Uncertainty
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processors
 
Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024
 

Programação Funcional