SlideShare a Scribd company logo
OVERVIEW
Vadim Bichutskiy
@vybstat
Interface Symposium
June 11, 2015
Licensed under: Creative Commons Attribution-NonCommercial-NoDerivatives 4.0 International License
WHO AM I
• Computational and Data Sciences, PhD Candidate, George Mason
• Independent Data Science Consultant
• MS/BS Computer Science, MS Statistics
• NOT a Spark expert (yet!)
ACKNOWLEDGEMENTS
• Much of this talk is inspired by SparkCamp at Strata HadoopWorld, San
Jose, CA, February 2015 licensed under: Creative Commons
Attribution-NonCommercial-NoDerivatives 4.0 International License
• Taught by Paco Nathan
BIG NEWSTODAY!
databricks.com/blog/2015/06/11/announcing-apache-spark-1-4.html
4
SPARK HELPSYOU BUILD NEWTOOLS
5
THISTALK…
• Part I: Big Data:A Brief History
• Part II: A Tour of Spark
• Part III: Spark Concepts
6
PART I:
BIG DATA:A BRIEF HISTORY
7
• Web, e-commerce, marketing, other data explosion
• Work no longer fits on a single machine
• Move to horizontal scale-out on clusters of commodity hardware
• Machine learning, indexing, graph processing use cases at scale
DOT COM BUBBLE: 1994-2001
8
GAME CHANGE: C. 2002-2004
Google File System
research.google.com/archive/gfs.html
MapReduce: Simplified Data Processing on Large Clusters
research.google.com/archive/mapreduce.html
9
HISTORY: FUNCTIONAL PROGRAMMING FOR BIG DATA
2002 2004 2006 2008 2010 2012 2014
MapReduce @ Google
MapReduce Paper
Hadoop @ Yahoo!
Hadoop Summit
Amazon EMR
Spark @ Berkeley
Spark Paper
Databricks
Spark Summit
Apache Spark
takes off
Databricks Cloud
SparkR
KeystoneML
c. 1979 - MIT, CMU, Stanford, etc.
LISP, Prolog, etc. operations: map, reduce, etc. Slide adapted from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 201510
MapReduce Limitations
• Difficult to program directly in MR
• Performance bottlenecks, batch processing only
• Streaming, iterative, interactive, graph processing,…
MR doesn’t fit modern use cases
Specialized systems developed as workarounds…
11
MapReduce Limitations
MR doesn’t fit modern use cases
Specialized systems developed as workarounds
Slide adapted from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 201512
PART II:
APACHE SPARK TOTHE RESCUE…
13
Apache Spark
• Fast, unified, large-scale data processing engine for modern workflows
• Batch, streaming, iterative, interactive
• SQL, ML, graph processing
• Developed in ’09 at UC Berkeley AMPLab, open sourced in ’10
• Spark is one of the largest Big Data OSS projects
“Organizations that are looking at big data challenges –

including collection, ETL, storage, exploration and analytics –

should consider Spark for its in-memory performance and

the breadth of its model. It supports advanced analytics

solutions on Hadoop clusters, including the iterative model

required for machine learning and graph analysis.”
Gartner, Advanced Analytics and Data Science (2014)
14
Apache Spark
Spark’s goal was to generalize MapReduce, supporting
modern use cases within same engine!
15
Spark Research
Spark: Cluster Computer withWorking Sets
http://people.csail.mit.edu/matei/papers/2010/hotcloud_spark.pdf
Resilient Distributed Datasets:A Fault-Tolerant Abstraction for
In-Memory Cluster Computing
https://www.usenix.org/system/files/conference/nsdi12/nsdi12-final138.pdf
16
Spark: Key Points
• Same engine for batch, streaming and interactive workloads
• Scala, Java, Python, and (soon) R APIs
• Programming at a higher level of abstraction
• More general than MR
17
WordCount: “Hello World” for Big Data Apps
Slide adapted from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 2015
18
Spark vs. MapReduce
• Unified engine for modern workloads
• Lazy evaluation of the operator graph
• Optimized for modern hardware
• Functional programming / ease of use
• Reduction in cost to build/maintain enterprise apps
• Lower start up overhead
• More efficient shuffles
19
Spark in a nutshell…
20
Spark Destroys Previous Sort Record
Spark: 3x faster with 10x fewer nodes
databricks.com/blog/2014/11/05/spark-officially-sets-a-new-record-in-large-scale-sorting.html
21
Spark is one of the most active Big Data projects…
openhub.net/orgs/apache
22
What does Google say…
23
Spark on Stack Overflow
twitter.com/dberkholz/status/568561792751771648
24
It pays to Spark…
oreilly.com/data/free/2014-data-science-salary-survey.csp
25
Spark Adoption
databricks.com/blog/2015/01/27/big-data-projects-are-hungry-for-simpler-and-more-powerful-tools-survey-validates-apache-spark-is-gaining-developer-traction.html
26
PART III:
APACHE SPARK CONCEPTS…
27
Resilient Distributed Datasets (RDDs)
• Spark’s main abstraction - a fault-tolerant collection of elements that can be
operated on in parallel
• Two ways to create RDDs:
I. Parallelized collections
val data = Array(1, 2, 3, 4, 5)

data: Array[Int] = Array(1, 2, 3, 4, 5)

val distData = sc.parallelize(data)

distData: org.apache.spark.rdd.RDD[Int] = ParallelCollectionRDD[24970]
II. External Datasets
lines = sc.textFile(“s3n://error-logs/error-log.txt”) 
.map(lambda x: x.split("t"))
28
RDD Operations
• Two types: transformations and actions
• Transformations create a new RDD out of existing one, e.g. rdd.map(…)
• Actions return a value to the driver program after running a computation
on the RDD, e.g., rdd.count()
Figure from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 2015 29
Transformations
spark.apache.org/docs/latest/programming-guide.html
Transformation Meaning
map(func)
Return a new distributed dataset formed by passing each
element of the source through a function func.
filter(func)
Return a new dataset formed by selecting those elements
of the source on which func returns true.
flatMap(func)
Similar to map, but each input item can be mapped to 0 or
more output items (so func should return a Seq rather than
a single item).
mapPartitions(func)
Similar to map, but runs separately on each partition
(block) of the RDD.
mapPartitionsWithIndex(func)
Similar to mapPartitions, but also provides func with an
integer value representing the index of the partition.
sample(withReplacement,
fraction, seed)
Sample a fraction fraction of the data, with or without
replacement, using a given random number generator seed.
30
Transformations
spark.apache.org/docs/latest/programming-guide.html
Transformation Meaning
union(otherDataset)
Return a new dataset that contains the union of the elements in
the source dataset and the argument.
intersection(otherDataset)
Return a new RDD that contains the intersection of elements in
the source dataset and the argument.
distinct([numTasks]))
Return a new dataset that contains the distinct elements of the
source dataset.
groupByKey([numTasks])
When called on a dataset of (K, V) pairs, returns a dataset of (K,
Iterable<V>) pairs.
reduceByKey(func,
[numTasks])
When called on a dataset of (K, V) pairs, returns a dataset of (K,
V) pairs where the values for each key are aggregated using the
given reduce function func.
sortByKey([ascending],
[numTasks])
When called on a dataset of (K, V) pairs where K implements
Ordered, returns a dataset of (K, V) pairs sorted by keys in
ascending or descending order
31
Transformations
spark.apache.org/docs/latest/programming-guide.html
Transformation Meaning
join(otherDataset, [numTasks])
When called on datasets of type (K, V) and (K, W), returns a
dataset of (K, (V, W)) with all pairs of elements for each key.
cogroup(otherDataset,
[numTasks])
When called on datasets of type (K, V) and (K, W), returns a
dataset of (K, (Iterable<V>, Iterable<W>)) tuples.
cartesian(otherDataset)
When called on datasets of types T and U, returns a dataset of
(T, U) pairs (all pairs of elements).
pipe(command, [envVars])
Pipe each partition of the RDD through a shell command. RDD
elements are written to the process's stdin and lines output to
its stdout are returned as an RDD of strings.
coalesce(numPartitions)
Decrease the number of partitions in the RDD to numPartitions.
Useful for running operations more efficiently after filtering
down a large dataset.
32
Ex:Transformations
Python
>>> x = ['hello world', 'how are you enjoying the conference']
>>> rdd = sc.parallelize(x)
>>> rdd.filter(lambda x: 'hello' in x).collect()
['hello world']
>>> rdd.map(lambda x: x.split(" ")).collect()
[['hello', 'world'], ['how', 'are', 'you', 'enjoying', 'the', 'conference']]
>>> rdd.flatMap(lambda x: x.split(" ")).collect()
['hello', 'world', 'how', 'are', 'you', 'enjoying', 'the', 'conference']
33
Ex:Transformations
Scala
scala> val x = Array(“hello world”, “how are you enjoying the conference”)
scala> val rdd = sc.parallelize(x)
scala> rdd.filter(x => x contains "hello").collect()
res15: Array[String] = Array(hello world)
scala> rdd.map(x => x.split(" ")).collect()
res19: Array[Array[String]] = Array(Array(hello, world),
Array(how, are, you, enjoying, the, conference))
scala> rdd.flatMap(x => x.split(" ")).collect()
res20: Array[String] = Array(hello, world, how, are, you, enjoying,
the, conference)
34
Actions
spark.apache.org/docs/latest/programming-guide.html
Action Meaning
reduce(func)
Aggregate the elements of the dataset using a function func (which
takes two arguments and returns one), func should be commutative
and associative so it can be computed correctly in parallel.
collect()
Return all elements of the dataset as array at the driver program.
Usually useful after a filter or other operation that returns
sufficiently small data.
count() Return the number of elements in the dataset.
first() Return the first element of the dataset (similar to take(1)).
take(n) Return an array with the first n elements of the dataset.
takeSample(withReplacement,
num, [seed])
Return an array with a random sample of num elements of the
dataset, with or without replacement, with optional random
number generator seed.
takeOrdered(n, [ordering])
Return the first n elements of the RDD using either their natural
order or a custom comparator.
35
Actions
spark.apache.org/docs/latest/programming-guide.html
Action Meaning
saveAsTextFile(path)
Write the dataset as a text file (or set of text files) in a given path
in the local filesystem, HDFS or any other Hadoop-supported file
system. Spark will call toString on each element to convert it to a
line of text in the file.
saveAsSequenceFile(path)
(Java and Scala)
Write the dataset as a Hadoop SequenceFile in a given path in the
local filesystem, HDFS or any other Hadoop-supported file system.
saveAsObjectFile(path)
(Java and Scala)
Write the dataset in a simple format using Java serialization, which
can then be loaded using SparkContext.objectFile().
countByKey()
For RDD of type (K, V), returns a hashmap of (K, Int) pairs with the
count of each key.
foreach(func)
Run a function func on each element of the dataset. This is usually
done for side effects such as updating an accumulator variable or
interacting with external storage systems.
36
Ex:Actions
Python
>>> x = [“hello world", "hello there", "hello again”]
>>> rdd = sc.parallelize(x)
>>> wordsCounts = rdd.flatMap(lamdba x: x.split(" “)).map(lambda w: (w, 1)) 
.reduceByKey(add)
>>> wordCounts.saveAsTextFile("/Users/vb/wordcounts")
>>> wordCounts.collect()
[(again,1), (hello,3), (world,1), (there,1)]
>>> from operator import add
37
Ex:Actions
Scala
scala> val x = Array("hello world", "hello there", "hello again")
scala> val rdd = sc.parallelize(x)
scala> val wordsCounts = rdd.flatMap(x => x.split(" ")).map(word => (word, 1)) 
.reduceByKey(_ + _)
scala> wordCounts.saveAsTextFile("/Users/vb/wordcounts")
scala> wordCounts.collect()
res43: Array[(String, Int)] = Array((again,1), (hello,3), (world,1), (there,1))
38
RDD Persistence
• Unlike MapReduce, Spark can persist (or cache) a dataset in
memory across operations
• Each node stores any partitions of it that it computes in memory
and reuses them in other transformations/actions on that RDD
• 10x increase in speed
• One of the most important Spark features
>>> wordCounts = rdd.flatMap(lamdba x: x.split(“ “)) 
.map(lambda w: (w, 1)) 
.reduceByKey(add) 
.cache() 39
RDD Persistence Storage Levels
Storage Level Meaning
MEMORY_ONLY
Store RDD as deserialized Java objects in
the JVM. If the RDD does not fit in
memory, some partitions will not be
cached and will be recomputed on the fly
each time they're needed. This is the
default level.
MEMORY_AND_DISK
Store RDD as deserialized Java objects in
the JVM. If the RDD does not fit in
memory, store the partitions that don't fit
on disk, and read them from there when
they're needed.
MEMORY_ONLY_SER
Store RDD as serialized Java objects (one
byte array per partition). This is generally
more space-efficient than deserialized
objects, especially when using a fast
serializer, but more CPU-intensive to read.
http://spark.apache.org/docs/latest/programming-guide.html
40
More RDD Persistence Storage Levels
Storage Level Meaning
MEMORY_AND_DISK_SER
Similar to MEMORY_ONLY_SER, but spill
partitions that don't fit in memory to disk
instead of recomputing them on the fly
each time they're needed.
DISK_ONLY Store RDD partitions only on disk.
MEMORY_ONLY_2,
MEMORY_AND_DISK_2, etc.
Same as the levels above, but replicate
each partition on two cluster nodes.
OFF_HEAP (experimental)
Store RDD in serialized format in Tachyon.
Compared to MEMORY_ONLY_SER,
OFF_HEAP reduces garbage collection
overhead and allows executors to be
smaller and to share a pool of memory,
making it attractive in environments with
large heaps or multiple concurrent
applications.
http://spark.apache.org/docs/latest/programming-guide.html
41
Under the hood…
spark.apache.org/docs/latest/cluster-overview.html
42
And so much more…
• DataFrames and SQL
• Spark Streaming
• MLlib
• GraphX
spark.apache.org/docs/latest/
43

More Related Content

What's hot

Understanding Query Plans and Spark UIs
Understanding Query Plans and Spark UIsUnderstanding Query Plans and Spark UIs
Understanding Query Plans and Spark UIs
Databricks
 
Intro to Apache Spark
Intro to Apache SparkIntro to Apache Spark
Intro to Apache Spark
Robert Sanders
 
Introduction to Spark Internals
Introduction to Spark InternalsIntroduction to Spark Internals
Introduction to Spark Internals
Pietro Michiardi
 
Programming in Spark using PySpark
Programming in Spark using PySpark      Programming in Spark using PySpark
Programming in Spark using PySpark
Mostafa
 
Introduction to Apache Spark
Introduction to Apache SparkIntroduction to Apache Spark
Introduction to Apache Spark
Anastasios Skarlatidis
 
Introduction to Apache Spark
Introduction to Apache SparkIntroduction to Apache Spark
Introduction to Apache Spark
Rahul Jain
 
Learn Apache Spark: A Comprehensive Guide
Learn Apache Spark: A Comprehensive GuideLearn Apache Spark: A Comprehensive Guide
Learn Apache Spark: A Comprehensive Guide
Whizlabs
 
Spark SQL
Spark SQLSpark SQL
Spark SQL
Joud Khattab
 
Introduction to Spark (Intern Event Presentation)
Introduction to Spark (Intern Event Presentation)Introduction to Spark (Intern Event Presentation)
Introduction to Spark (Intern Event Presentation)
Databricks
 
Hive + Tez: A Performance Deep Dive
Hive + Tez: A Performance Deep DiveHive + Tez: A Performance Deep Dive
Hive + Tez: A Performance Deep Dive
DataWorks Summit
 
Spark streaming , Spark SQL
Spark streaming , Spark SQLSpark streaming , Spark SQL
Spark streaming , Spark SQL
Yousun Jeong
 
Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...
Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...
Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...
Databricks
 
Spark overview
Spark overviewSpark overview
Spark overview
Lisa Hua
 
Databricks Delta Lake and Its Benefits
Databricks Delta Lake and Its BenefitsDatabricks Delta Lake and Its Benefits
Databricks Delta Lake and Its Benefits
Databricks
 
Apache Spark Architecture
Apache Spark ArchitectureApache Spark Architecture
Apache Spark Architecture
Alexey Grishchenko
 
Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...
Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...
Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...
Edureka!
 
What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...
What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...
What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...
Edureka!
 
Apache Spark Introduction and Resilient Distributed Dataset basics and deep dive
Apache Spark Introduction and Resilient Distributed Dataset basics and deep diveApache Spark Introduction and Resilient Distributed Dataset basics and deep dive
Apache Spark Introduction and Resilient Distributed Dataset basics and deep dive
Sachin Aggarwal
 
What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...
What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...
What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...
Simplilearn
 
Spark (Structured) Streaming vs. Kafka Streams
Spark (Structured) Streaming vs. Kafka StreamsSpark (Structured) Streaming vs. Kafka Streams
Spark (Structured) Streaming vs. Kafka Streams
Guido Schmutz
 

What's hot (20)

Understanding Query Plans and Spark UIs
Understanding Query Plans and Spark UIsUnderstanding Query Plans and Spark UIs
Understanding Query Plans and Spark UIs
 
Intro to Apache Spark
Intro to Apache SparkIntro to Apache Spark
Intro to Apache Spark
 
Introduction to Spark Internals
Introduction to Spark InternalsIntroduction to Spark Internals
Introduction to Spark Internals
 
Programming in Spark using PySpark
Programming in Spark using PySpark      Programming in Spark using PySpark
Programming in Spark using PySpark
 
Introduction to Apache Spark
Introduction to Apache SparkIntroduction to Apache Spark
Introduction to Apache Spark
 
Introduction to Apache Spark
Introduction to Apache SparkIntroduction to Apache Spark
Introduction to Apache Spark
 
Learn Apache Spark: A Comprehensive Guide
Learn Apache Spark: A Comprehensive GuideLearn Apache Spark: A Comprehensive Guide
Learn Apache Spark: A Comprehensive Guide
 
Spark SQL
Spark SQLSpark SQL
Spark SQL
 
Introduction to Spark (Intern Event Presentation)
Introduction to Spark (Intern Event Presentation)Introduction to Spark (Intern Event Presentation)
Introduction to Spark (Intern Event Presentation)
 
Hive + Tez: A Performance Deep Dive
Hive + Tez: A Performance Deep DiveHive + Tez: A Performance Deep Dive
Hive + Tez: A Performance Deep Dive
 
Spark streaming , Spark SQL
Spark streaming , Spark SQLSpark streaming , Spark SQL
Spark streaming , Spark SQL
 
Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...
Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...
Deep Dive into Spark SQL with Advanced Performance Tuning with Xiao Li & Wenc...
 
Spark overview
Spark overviewSpark overview
Spark overview
 
Databricks Delta Lake and Its Benefits
Databricks Delta Lake and Its BenefitsDatabricks Delta Lake and Its Benefits
Databricks Delta Lake and Its Benefits
 
Apache Spark Architecture
Apache Spark ArchitectureApache Spark Architecture
Apache Spark Architecture
 
Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...
Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...
Apache Spark Tutorial | Spark Tutorial for Beginners | Apache Spark Training ...
 
What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...
What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...
What is Apache Spark | Apache Spark Tutorial For Beginners | Apache Spark Tra...
 
Apache Spark Introduction and Resilient Distributed Dataset basics and deep dive
Apache Spark Introduction and Resilient Distributed Dataset basics and deep diveApache Spark Introduction and Resilient Distributed Dataset basics and deep dive
Apache Spark Introduction and Resilient Distributed Dataset basics and deep dive
 
What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...
What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...
What Is Apache Spark? | Introduction To Apache Spark | Apache Spark Tutorial ...
 
Spark (Structured) Streaming vs. Kafka Streams
Spark (Structured) Streaming vs. Kafka StreamsSpark (Structured) Streaming vs. Kafka Streams
Spark (Structured) Streaming vs. Kafka Streams
 

Viewers also liked

Let Spark Fly: Advantages and Use Cases for Spark on Hadoop
 Let Spark Fly: Advantages and Use Cases for Spark on Hadoop Let Spark Fly: Advantages and Use Cases for Spark on Hadoop
Let Spark Fly: Advantages and Use Cases for Spark on Hadoop
MapR Technologies
 
Introduction to Apache Spark Developer Training
Introduction to Apache Spark Developer TrainingIntroduction to Apache Spark Developer Training
Introduction to Apache Spark Developer Training
Cloudera, Inc.
 
Cleveland Hadoop Users Group - Spark
Cleveland Hadoop Users Group - SparkCleveland Hadoop Users Group - Spark
Cleveland Hadoop Users Group - Spark
Vince Gonzalez
 
Introduction to Hadoop, HBase, and NoSQL
Introduction to Hadoop, HBase, and NoSQLIntroduction to Hadoop, HBase, and NoSQL
Introduction to Hadoop, HBase, and NoSQL
Nick Dimiduk
 
HBase Client APIs (for webapps?)
HBase Client APIs (for webapps?)HBase Client APIs (for webapps?)
HBase Client APIs (for webapps?)
Nick Dimiduk
 
Apache Spark Overview
Apache Spark OverviewApache Spark Overview
Apache Spark Overview
airisData
 
[Spark meetup] Spark Streaming Overview
[Spark meetup] Spark Streaming Overview[Spark meetup] Spark Streaming Overview
[Spark meetup] Spark Streaming Overview
Stratio
 
Pancasila sebagai konteks ketatanegaraan
Pancasila sebagai konteks ketatanegaraanPancasila sebagai konteks ketatanegaraan
Pancasila sebagai konteks ketatanegaraan
Ella Feby
 
Spark architecture
Spark architectureSpark architecture
Spark architecture
datamantra
 
Apache Spark streaming and HBase
Apache Spark streaming and HBaseApache Spark streaming and HBase
Apache Spark streaming and HBase
Carol McDonald
 
Apache HBase for Architects
Apache HBase for ArchitectsApache HBase for Architects
Apache HBase for Architects
Nick Dimiduk
 
Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...
Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...
Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...
Spark Summit
 
Apache Spark Overview part1 (20161107)
Apache Spark Overview part1 (20161107)Apache Spark Overview part1 (20161107)
Apache Spark Overview part1 (20161107)
Steve Min
 
Why Apache Spark is the Heir to MapReduce in the Hadoop Ecosystem
Why Apache Spark is the Heir to MapReduce in the Hadoop EcosystemWhy Apache Spark is the Heir to MapReduce in the Hadoop Ecosystem
Why Apache Spark is the Heir to MapReduce in the Hadoop Ecosystem
Cloudera, Inc.
 
Apache Spark 2.0: Faster, Easier, and Smarter
Apache Spark 2.0: Faster, Easier, and SmarterApache Spark 2.0: Faster, Easier, and Smarter
Apache Spark 2.0: Faster, Easier, and Smarter
Databricks
 

Viewers also liked (15)

Let Spark Fly: Advantages and Use Cases for Spark on Hadoop
 Let Spark Fly: Advantages and Use Cases for Spark on Hadoop Let Spark Fly: Advantages and Use Cases for Spark on Hadoop
Let Spark Fly: Advantages and Use Cases for Spark on Hadoop
 
Introduction to Apache Spark Developer Training
Introduction to Apache Spark Developer TrainingIntroduction to Apache Spark Developer Training
Introduction to Apache Spark Developer Training
 
Cleveland Hadoop Users Group - Spark
Cleveland Hadoop Users Group - SparkCleveland Hadoop Users Group - Spark
Cleveland Hadoop Users Group - Spark
 
Introduction to Hadoop, HBase, and NoSQL
Introduction to Hadoop, HBase, and NoSQLIntroduction to Hadoop, HBase, and NoSQL
Introduction to Hadoop, HBase, and NoSQL
 
HBase Client APIs (for webapps?)
HBase Client APIs (for webapps?)HBase Client APIs (for webapps?)
HBase Client APIs (for webapps?)
 
Apache Spark Overview
Apache Spark OverviewApache Spark Overview
Apache Spark Overview
 
[Spark meetup] Spark Streaming Overview
[Spark meetup] Spark Streaming Overview[Spark meetup] Spark Streaming Overview
[Spark meetup] Spark Streaming Overview
 
Pancasila sebagai konteks ketatanegaraan
Pancasila sebagai konteks ketatanegaraanPancasila sebagai konteks ketatanegaraan
Pancasila sebagai konteks ketatanegaraan
 
Spark architecture
Spark architectureSpark architecture
Spark architecture
 
Apache Spark streaming and HBase
Apache Spark streaming and HBaseApache Spark streaming and HBase
Apache Spark streaming and HBase
 
Apache HBase for Architects
Apache HBase for ArchitectsApache HBase for Architects
Apache HBase for Architects
 
Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...
Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...
Escaping Flatland: Interactive High-Dimensional Data Analysis in Drug Discove...
 
Apache Spark Overview part1 (20161107)
Apache Spark Overview part1 (20161107)Apache Spark Overview part1 (20161107)
Apache Spark Overview part1 (20161107)
 
Why Apache Spark is the Heir to MapReduce in the Hadoop Ecosystem
Why Apache Spark is the Heir to MapReduce in the Hadoop EcosystemWhy Apache Spark is the Heir to MapReduce in the Hadoop Ecosystem
Why Apache Spark is the Heir to MapReduce in the Hadoop Ecosystem
 
Apache Spark 2.0: Faster, Easier, and Smarter
Apache Spark 2.0: Faster, Easier, and SmarterApache Spark 2.0: Faster, Easier, and Smarter
Apache Spark 2.0: Faster, Easier, and Smarter
 

Similar to Apache Spark Overview

Meetup ml spark_ppt
Meetup ml spark_pptMeetup ml spark_ppt
Meetup ml spark_ppt
Snehal Nagmote
 
Cassandra Summit 2014: Apache Spark - The SDK for All Big Data Platforms
Cassandra Summit 2014: Apache Spark - The SDK for All Big Data PlatformsCassandra Summit 2014: Apache Spark - The SDK for All Big Data Platforms
Cassandra Summit 2014: Apache Spark - The SDK for All Big Data Platforms
DataStax Academy
 
20170126 big data processing
20170126 big data processing20170126 big data processing
20170126 big data processing
Vienna Data Science Group
 
Introduction to apache spark
Introduction to apache sparkIntroduction to apache spark
Introduction to apache spark
Muktadiur Rahman
 
Introduction to apache spark
Introduction to apache sparkIntroduction to apache spark
Introduction to apache spark
JUGBD
 
Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)
Denny Lee
 
Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...
Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...
Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...
BigDataEverywhere
 
Strata NYC 2015 - What's coming for the Spark community
Strata NYC 2015 - What's coming for the Spark communityStrata NYC 2015 - What's coming for the Spark community
Strata NYC 2015 - What's coming for the Spark community
Databricks
 
Spark Application Carousel: Highlights of Several Applications Built with Spark
Spark Application Carousel: Highlights of Several Applications Built with SparkSpark Application Carousel: Highlights of Several Applications Built with Spark
Spark Application Carousel: Highlights of Several Applications Built with Spark
Databricks
 
Jump Start with Apache Spark 2.0 on Databricks
Jump Start with Apache Spark 2.0 on DatabricksJump Start with Apache Spark 2.0 on Databricks
Jump Start with Apache Spark 2.0 on Databricks
Databricks
 
An introduction To Apache Spark
An introduction To Apache SparkAn introduction To Apache Spark
An introduction To Apache Spark
Amir Sedighi
 
Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"
Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"
Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"
IT Event
 
Tiny Batches, in the wine: Shiny New Bits in Spark Streaming
Tiny Batches, in the wine: Shiny New Bits in Spark StreamingTiny Batches, in the wine: Shiny New Bits in Spark Streaming
Tiny Batches, in the wine: Shiny New Bits in Spark Streaming
Paco Nathan
 
Spark Study Notes
Spark Study NotesSpark Study Notes
Spark Study Notes
Richard Kuo
 
ETL to ML: Use Apache Spark as an end to end tool for Advanced Analytics
ETL to ML: Use Apache Spark as an end to end tool for Advanced AnalyticsETL to ML: Use Apache Spark as an end to end tool for Advanced Analytics
ETL to ML: Use Apache Spark as an end to end tool for Advanced Analytics
Miklos Christine
 
Apache Spark and DataStax Enablement
Apache Spark and DataStax EnablementApache Spark and DataStax Enablement
Apache Spark and DataStax Enablement
Vincent Poncet
 
Intro to Apache Spark by CTO of Twingo
Intro to Apache Spark by CTO of TwingoIntro to Apache Spark by CTO of Twingo
Intro to Apache Spark by CTO of Twingo
MapR Technologies
 
Big data apache spark + scala
Big data   apache spark + scalaBig data   apache spark + scala
Big data apache spark + scala
Juantomás García Molina
 
In Memory Analytics with Apache Spark
In Memory Analytics with Apache SparkIn Memory Analytics with Apache Spark
In Memory Analytics with Apache Spark
Venkata Naga Ravi
 
A Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules Damji
A Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules DamjiA Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules Damji
A Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules Damji
Data Con LA
 

Similar to Apache Spark Overview (20)

Meetup ml spark_ppt
Meetup ml spark_pptMeetup ml spark_ppt
Meetup ml spark_ppt
 
Cassandra Summit 2014: Apache Spark - The SDK for All Big Data Platforms
Cassandra Summit 2014: Apache Spark - The SDK for All Big Data PlatformsCassandra Summit 2014: Apache Spark - The SDK for All Big Data Platforms
Cassandra Summit 2014: Apache Spark - The SDK for All Big Data Platforms
 
20170126 big data processing
20170126 big data processing20170126 big data processing
20170126 big data processing
 
Introduction to apache spark
Introduction to apache sparkIntroduction to apache spark
Introduction to apache spark
 
Introduction to apache spark
Introduction to apache sparkIntroduction to apache spark
Introduction to apache spark
 
Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)Jump Start into Apache Spark (Seattle Spark Meetup)
Jump Start into Apache Spark (Seattle Spark Meetup)
 
Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...
Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...
Big Data Everywhere Chicago: Apache Spark Plus Many Other Frameworks -- How S...
 
Strata NYC 2015 - What's coming for the Spark community
Strata NYC 2015 - What's coming for the Spark communityStrata NYC 2015 - What's coming for the Spark community
Strata NYC 2015 - What's coming for the Spark community
 
Spark Application Carousel: Highlights of Several Applications Built with Spark
Spark Application Carousel: Highlights of Several Applications Built with SparkSpark Application Carousel: Highlights of Several Applications Built with Spark
Spark Application Carousel: Highlights of Several Applications Built with Spark
 
Jump Start with Apache Spark 2.0 on Databricks
Jump Start with Apache Spark 2.0 on DatabricksJump Start with Apache Spark 2.0 on Databricks
Jump Start with Apache Spark 2.0 on Databricks
 
An introduction To Apache Spark
An introduction To Apache SparkAn introduction To Apache Spark
An introduction To Apache Spark
 
Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"
Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"
Volodymyr Lyubinets "Introduction to big data processing with Apache Spark"
 
Tiny Batches, in the wine: Shiny New Bits in Spark Streaming
Tiny Batches, in the wine: Shiny New Bits in Spark StreamingTiny Batches, in the wine: Shiny New Bits in Spark Streaming
Tiny Batches, in the wine: Shiny New Bits in Spark Streaming
 
Spark Study Notes
Spark Study NotesSpark Study Notes
Spark Study Notes
 
ETL to ML: Use Apache Spark as an end to end tool for Advanced Analytics
ETL to ML: Use Apache Spark as an end to end tool for Advanced AnalyticsETL to ML: Use Apache Spark as an end to end tool for Advanced Analytics
ETL to ML: Use Apache Spark as an end to end tool for Advanced Analytics
 
Apache Spark and DataStax Enablement
Apache Spark and DataStax EnablementApache Spark and DataStax Enablement
Apache Spark and DataStax Enablement
 
Intro to Apache Spark by CTO of Twingo
Intro to Apache Spark by CTO of TwingoIntro to Apache Spark by CTO of Twingo
Intro to Apache Spark by CTO of Twingo
 
Big data apache spark + scala
Big data   apache spark + scalaBig data   apache spark + scala
Big data apache spark + scala
 
In Memory Analytics with Apache Spark
In Memory Analytics with Apache SparkIn Memory Analytics with Apache Spark
In Memory Analytics with Apache Spark
 
A Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules Damji
A Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules DamjiA Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules Damji
A Tale of Three Apache Spark APIs: RDDs, DataFrames and Datasets by Jules Damji
 

Recently uploaded

Accounting and Auditing Laws-Rules-and-Regulations
Accounting and Auditing Laws-Rules-and-RegulationsAccounting and Auditing Laws-Rules-and-Regulations
Accounting and Auditing Laws-Rules-and-Regulations
DALubis
 
Field Diary and lab record, Importance.pdf
Field Diary and lab record, Importance.pdfField Diary and lab record, Importance.pdf
Field Diary and lab record, Importance.pdf
hritikbui
 
Cal Girls Hotel Safari Jaipur | | Girls Call Free Drop Service
Cal Girls Hotel Safari Jaipur | | Girls Call Free Drop ServiceCal Girls Hotel Safari Jaipur | | Girls Call Free Drop Service
Cal Girls Hotel Safari Jaipur | | Girls Call Free Drop Service
Deepikakumari457585
 
Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...
Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...
Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...
deepikakumaridk25
 
Training on CSPro and step by steps.pptx
Training on CSPro and step by steps.pptxTraining on CSPro and step by steps.pptx
Training on CSPro and step by steps.pptx
lenjisoHussein
 
Getting Started with Interactive Brokers API and Python.pdf
Getting Started with Interactive Brokers API and Python.pdfGetting Started with Interactive Brokers API and Python.pdf
Getting Started with Interactive Brokers API and Python.pdf
Riya Sen
 
SFBA Splunk Usergroup meeting July 17, 2024
SFBA Splunk Usergroup meeting July 17, 2024SFBA Splunk Usergroup meeting July 17, 2024
SFBA Splunk Usergroup meeting July 17, 2024
Becky Burwell
 
Parcel Delivery - Intel Segmentation and Last Mile Opt.pdf
Parcel Delivery - Intel Segmentation and Last Mile Opt.pdfParcel Delivery - Intel Segmentation and Last Mile Opt.pdf
Parcel Delivery - Intel Segmentation and Last Mile Opt.pdf
AltanAtabarut
 
Technology used in Ott data analysis project
Technology used in Ott data analysis  projectTechnology used in Ott data analysis  project
Technology used in Ott data analysis project
49AkshitYadav
 
Annex K RBF's The World Game pdf document
Annex K RBF's The World Game pdf documentAnnex K RBF's The World Game pdf document
Annex K RBF's The World Game pdf document
Steven McGee
 
Data Storytelling Final Project for MBA 635
Data Storytelling Final Project for MBA 635Data Storytelling Final Project for MBA 635
Data Storytelling Final Project for MBA 635
HeidiLivengood
 
Histology of Muscle types histology o.ppt
Histology of Muscle types histology o.pptHistology of Muscle types histology o.ppt
Histology of Muscle types histology o.ppt
SamanArshad11
 
Data Analytics for Decision Making By District 11 Solutions
Data Analytics for Decision Making By District 11 SolutionsData Analytics for Decision Making By District 11 Solutions
Data Analytics for Decision Making By District 11 Solutions
District 11 Solutions
 
Systane Global education training centre
Systane Global education training centreSystane Global education training centre
Systane Global education training centre
AkhinaRomdoni
 
DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...
DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...
DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...
JeevanKp7
 
Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)
Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)
Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)
Alireza Kamrani
 
Bimbingan kaunseling untuk pelajar IPTA/IPTS di Malaysia
Bimbingan kaunseling untuk pelajar IPTA/IPTS di MalaysiaBimbingan kaunseling untuk pelajar IPTA/IPTS di Malaysia
Bimbingan kaunseling untuk pelajar IPTA/IPTS di Malaysia
aznidajailani
 
SOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERING
SOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERINGSOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERING
SOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERING
PrabhuB33
 
Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...
Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...
Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...
rightmanforbloodline
 
Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...
Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...
Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...
femim26318
 

Recently uploaded (20)

Accounting and Auditing Laws-Rules-and-Regulations
Accounting and Auditing Laws-Rules-and-RegulationsAccounting and Auditing Laws-Rules-and-Regulations
Accounting and Auditing Laws-Rules-and-Regulations
 
Field Diary and lab record, Importance.pdf
Field Diary and lab record, Importance.pdfField Diary and lab record, Importance.pdf
Field Diary and lab record, Importance.pdf
 
Cal Girls Hotel Safari Jaipur | | Girls Call Free Drop Service
Cal Girls Hotel Safari Jaipur | | Girls Call Free Drop ServiceCal Girls Hotel Safari Jaipur | | Girls Call Free Drop Service
Cal Girls Hotel Safari Jaipur | | Girls Call Free Drop Service
 
Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...
Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...
Cal Girls The Lalit Jaipur 8445551418 Khusi Top Class Girls Call Jaipur Avail...
 
Training on CSPro and step by steps.pptx
Training on CSPro and step by steps.pptxTraining on CSPro and step by steps.pptx
Training on CSPro and step by steps.pptx
 
Getting Started with Interactive Brokers API and Python.pdf
Getting Started with Interactive Brokers API and Python.pdfGetting Started with Interactive Brokers API and Python.pdf
Getting Started with Interactive Brokers API and Python.pdf
 
SFBA Splunk Usergroup meeting July 17, 2024
SFBA Splunk Usergroup meeting July 17, 2024SFBA Splunk Usergroup meeting July 17, 2024
SFBA Splunk Usergroup meeting July 17, 2024
 
Parcel Delivery - Intel Segmentation and Last Mile Opt.pdf
Parcel Delivery - Intel Segmentation and Last Mile Opt.pdfParcel Delivery - Intel Segmentation and Last Mile Opt.pdf
Parcel Delivery - Intel Segmentation and Last Mile Opt.pdf
 
Technology used in Ott data analysis project
Technology used in Ott data analysis  projectTechnology used in Ott data analysis  project
Technology used in Ott data analysis project
 
Annex K RBF's The World Game pdf document
Annex K RBF's The World Game pdf documentAnnex K RBF's The World Game pdf document
Annex K RBF's The World Game pdf document
 
Data Storytelling Final Project for MBA 635
Data Storytelling Final Project for MBA 635Data Storytelling Final Project for MBA 635
Data Storytelling Final Project for MBA 635
 
Histology of Muscle types histology o.ppt
Histology of Muscle types histology o.pptHistology of Muscle types histology o.ppt
Histology of Muscle types histology o.ppt
 
Data Analytics for Decision Making By District 11 Solutions
Data Analytics for Decision Making By District 11 SolutionsData Analytics for Decision Making By District 11 Solutions
Data Analytics for Decision Making By District 11 Solutions
 
Systane Global education training centre
Systane Global education training centreSystane Global education training centre
Systane Global education training centre
 
DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...
DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...
DESIGN AND DEVELOPMENT OF AUTO OXYGEN CONCENTRATOR WITH SOS ALERT FOR HIKING ...
 
Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)
Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)
Dataguard Switchover Best Practices using DGMGRL (Dataguard Broker Command Line)
 
Bimbingan kaunseling untuk pelajar IPTA/IPTS di Malaysia
Bimbingan kaunseling untuk pelajar IPTA/IPTS di MalaysiaBimbingan kaunseling untuk pelajar IPTA/IPTS di Malaysia
Bimbingan kaunseling untuk pelajar IPTA/IPTS di Malaysia
 
SOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERING
SOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERINGSOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERING
SOFTWARE ENGINEERING-UNIT-1SOFTWARE ENGINEERING
 
Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...
Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...
Solution Manual for First Course in Abstract Algebra A, 8th Edition by John B...
 
Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...
Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...
Cal Girls Mansarovar Jaipur | 08445551418 | Rajni High Profile Girls Call in ...
 

Apache Spark Overview

  • 1. OVERVIEW Vadim Bichutskiy @vybstat Interface Symposium June 11, 2015 Licensed under: Creative Commons Attribution-NonCommercial-NoDerivatives 4.0 International License
  • 2. WHO AM I • Computational and Data Sciences, PhD Candidate, George Mason • Independent Data Science Consultant • MS/BS Computer Science, MS Statistics • NOT a Spark expert (yet!)
  • 3. ACKNOWLEDGEMENTS • Much of this talk is inspired by SparkCamp at Strata HadoopWorld, San Jose, CA, February 2015 licensed under: Creative Commons Attribution-NonCommercial-NoDerivatives 4.0 International License • Taught by Paco Nathan
  • 5. SPARK HELPSYOU BUILD NEWTOOLS 5
  • 6. THISTALK… • Part I: Big Data:A Brief History • Part II: A Tour of Spark • Part III: Spark Concepts 6
  • 7. PART I: BIG DATA:A BRIEF HISTORY 7
  • 8. • Web, e-commerce, marketing, other data explosion • Work no longer fits on a single machine • Move to horizontal scale-out on clusters of commodity hardware • Machine learning, indexing, graph processing use cases at scale DOT COM BUBBLE: 1994-2001 8
  • 9. GAME CHANGE: C. 2002-2004 Google File System research.google.com/archive/gfs.html MapReduce: Simplified Data Processing on Large Clusters research.google.com/archive/mapreduce.html 9
  • 10. HISTORY: FUNCTIONAL PROGRAMMING FOR BIG DATA 2002 2004 2006 2008 2010 2012 2014 MapReduce @ Google MapReduce Paper Hadoop @ Yahoo! Hadoop Summit Amazon EMR Spark @ Berkeley Spark Paper Databricks Spark Summit Apache Spark takes off Databricks Cloud SparkR KeystoneML c. 1979 - MIT, CMU, Stanford, etc. LISP, Prolog, etc. operations: map, reduce, etc. Slide adapted from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 201510
  • 11. MapReduce Limitations • Difficult to program directly in MR • Performance bottlenecks, batch processing only • Streaming, iterative, interactive, graph processing,… MR doesn’t fit modern use cases Specialized systems developed as workarounds… 11
  • 12. MapReduce Limitations MR doesn’t fit modern use cases Specialized systems developed as workarounds Slide adapted from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 201512
  • 13. PART II: APACHE SPARK TOTHE RESCUE… 13
  • 14. Apache Spark • Fast, unified, large-scale data processing engine for modern workflows • Batch, streaming, iterative, interactive • SQL, ML, graph processing • Developed in ’09 at UC Berkeley AMPLab, open sourced in ’10 • Spark is one of the largest Big Data OSS projects “Organizations that are looking at big data challenges –
 including collection, ETL, storage, exploration and analytics –
 should consider Spark for its in-memory performance and
 the breadth of its model. It supports advanced analytics
 solutions on Hadoop clusters, including the iterative model
 required for machine learning and graph analysis.” Gartner, Advanced Analytics and Data Science (2014) 14
  • 15. Apache Spark Spark’s goal was to generalize MapReduce, supporting modern use cases within same engine! 15
  • 16. Spark Research Spark: Cluster Computer withWorking Sets http://people.csail.mit.edu/matei/papers/2010/hotcloud_spark.pdf Resilient Distributed Datasets:A Fault-Tolerant Abstraction for In-Memory Cluster Computing https://www.usenix.org/system/files/conference/nsdi12/nsdi12-final138.pdf 16
  • 17. Spark: Key Points • Same engine for batch, streaming and interactive workloads • Scala, Java, Python, and (soon) R APIs • Programming at a higher level of abstraction • More general than MR 17
  • 18. WordCount: “Hello World” for Big Data Apps Slide adapted from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 2015 18
  • 19. Spark vs. MapReduce • Unified engine for modern workloads • Lazy evaluation of the operator graph • Optimized for modern hardware • Functional programming / ease of use • Reduction in cost to build/maintain enterprise apps • Lower start up overhead • More efficient shuffles 19
  • 20. Spark in a nutshell… 20
  • 21. Spark Destroys Previous Sort Record Spark: 3x faster with 10x fewer nodes databricks.com/blog/2014/11/05/spark-officially-sets-a-new-record-in-large-scale-sorting.html 21
  • 22. Spark is one of the most active Big Data projects… openhub.net/orgs/apache 22
  • 23. What does Google say… 23
  • 24. Spark on Stack Overflow twitter.com/dberkholz/status/568561792751771648 24
  • 25. It pays to Spark… oreilly.com/data/free/2014-data-science-salary-survey.csp 25
  • 27. PART III: APACHE SPARK CONCEPTS… 27
  • 28. Resilient Distributed Datasets (RDDs) • Spark’s main abstraction - a fault-tolerant collection of elements that can be operated on in parallel • Two ways to create RDDs: I. Parallelized collections val data = Array(1, 2, 3, 4, 5)
 data: Array[Int] = Array(1, 2, 3, 4, 5)
 val distData = sc.parallelize(data)
 distData: org.apache.spark.rdd.RDD[Int] = ParallelCollectionRDD[24970] II. External Datasets lines = sc.textFile(“s3n://error-logs/error-log.txt”) .map(lambda x: x.split("t")) 28
  • 29. RDD Operations • Two types: transformations and actions • Transformations create a new RDD out of existing one, e.g. rdd.map(…) • Actions return a value to the driver program after running a computation on the RDD, e.g., rdd.count() Figure from SparkCamp, Strata Hadoop World, San Jose, CA, Feb 2015 29
  • 30. Transformations spark.apache.org/docs/latest/programming-guide.html Transformation Meaning map(func) Return a new distributed dataset formed by passing each element of the source through a function func. filter(func) Return a new dataset formed by selecting those elements of the source on which func returns true. flatMap(func) Similar to map, but each input item can be mapped to 0 or more output items (so func should return a Seq rather than a single item). mapPartitions(func) Similar to map, but runs separately on each partition (block) of the RDD. mapPartitionsWithIndex(func) Similar to mapPartitions, but also provides func with an integer value representing the index of the partition. sample(withReplacement, fraction, seed) Sample a fraction fraction of the data, with or without replacement, using a given random number generator seed. 30
  • 31. Transformations spark.apache.org/docs/latest/programming-guide.html Transformation Meaning union(otherDataset) Return a new dataset that contains the union of the elements in the source dataset and the argument. intersection(otherDataset) Return a new RDD that contains the intersection of elements in the source dataset and the argument. distinct([numTasks])) Return a new dataset that contains the distinct elements of the source dataset. groupByKey([numTasks]) When called on a dataset of (K, V) pairs, returns a dataset of (K, Iterable<V>) pairs. reduceByKey(func, [numTasks]) When called on a dataset of (K, V) pairs, returns a dataset of (K, V) pairs where the values for each key are aggregated using the given reduce function func. sortByKey([ascending], [numTasks]) When called on a dataset of (K, V) pairs where K implements Ordered, returns a dataset of (K, V) pairs sorted by keys in ascending or descending order 31
  • 32. Transformations spark.apache.org/docs/latest/programming-guide.html Transformation Meaning join(otherDataset, [numTasks]) When called on datasets of type (K, V) and (K, W), returns a dataset of (K, (V, W)) with all pairs of elements for each key. cogroup(otherDataset, [numTasks]) When called on datasets of type (K, V) and (K, W), returns a dataset of (K, (Iterable<V>, Iterable<W>)) tuples. cartesian(otherDataset) When called on datasets of types T and U, returns a dataset of (T, U) pairs (all pairs of elements). pipe(command, [envVars]) Pipe each partition of the RDD through a shell command. RDD elements are written to the process's stdin and lines output to its stdout are returned as an RDD of strings. coalesce(numPartitions) Decrease the number of partitions in the RDD to numPartitions. Useful for running operations more efficiently after filtering down a large dataset. 32
  • 33. Ex:Transformations Python >>> x = ['hello world', 'how are you enjoying the conference'] >>> rdd = sc.parallelize(x) >>> rdd.filter(lambda x: 'hello' in x).collect() ['hello world'] >>> rdd.map(lambda x: x.split(" ")).collect() [['hello', 'world'], ['how', 'are', 'you', 'enjoying', 'the', 'conference']] >>> rdd.flatMap(lambda x: x.split(" ")).collect() ['hello', 'world', 'how', 'are', 'you', 'enjoying', 'the', 'conference'] 33
  • 34. Ex:Transformations Scala scala> val x = Array(“hello world”, “how are you enjoying the conference”) scala> val rdd = sc.parallelize(x) scala> rdd.filter(x => x contains "hello").collect() res15: Array[String] = Array(hello world) scala> rdd.map(x => x.split(" ")).collect() res19: Array[Array[String]] = Array(Array(hello, world), Array(how, are, you, enjoying, the, conference)) scala> rdd.flatMap(x => x.split(" ")).collect() res20: Array[String] = Array(hello, world, how, are, you, enjoying, the, conference) 34
  • 35. Actions spark.apache.org/docs/latest/programming-guide.html Action Meaning reduce(func) Aggregate the elements of the dataset using a function func (which takes two arguments and returns one), func should be commutative and associative so it can be computed correctly in parallel. collect() Return all elements of the dataset as array at the driver program. Usually useful after a filter or other operation that returns sufficiently small data. count() Return the number of elements in the dataset. first() Return the first element of the dataset (similar to take(1)). take(n) Return an array with the first n elements of the dataset. takeSample(withReplacement, num, [seed]) Return an array with a random sample of num elements of the dataset, with or without replacement, with optional random number generator seed. takeOrdered(n, [ordering]) Return the first n elements of the RDD using either their natural order or a custom comparator. 35
  • 36. Actions spark.apache.org/docs/latest/programming-guide.html Action Meaning saveAsTextFile(path) Write the dataset as a text file (or set of text files) in a given path in the local filesystem, HDFS or any other Hadoop-supported file system. Spark will call toString on each element to convert it to a line of text in the file. saveAsSequenceFile(path) (Java and Scala) Write the dataset as a Hadoop SequenceFile in a given path in the local filesystem, HDFS or any other Hadoop-supported file system. saveAsObjectFile(path) (Java and Scala) Write the dataset in a simple format using Java serialization, which can then be loaded using SparkContext.objectFile(). countByKey() For RDD of type (K, V), returns a hashmap of (K, Int) pairs with the count of each key. foreach(func) Run a function func on each element of the dataset. This is usually done for side effects such as updating an accumulator variable or interacting with external storage systems. 36
  • 37. Ex:Actions Python >>> x = [“hello world", "hello there", "hello again”] >>> rdd = sc.parallelize(x) >>> wordsCounts = rdd.flatMap(lamdba x: x.split(" “)).map(lambda w: (w, 1)) .reduceByKey(add) >>> wordCounts.saveAsTextFile("/Users/vb/wordcounts") >>> wordCounts.collect() [(again,1), (hello,3), (world,1), (there,1)] >>> from operator import add 37
  • 38. Ex:Actions Scala scala> val x = Array("hello world", "hello there", "hello again") scala> val rdd = sc.parallelize(x) scala> val wordsCounts = rdd.flatMap(x => x.split(" ")).map(word => (word, 1)) .reduceByKey(_ + _) scala> wordCounts.saveAsTextFile("/Users/vb/wordcounts") scala> wordCounts.collect() res43: Array[(String, Int)] = Array((again,1), (hello,3), (world,1), (there,1)) 38
  • 39. RDD Persistence • Unlike MapReduce, Spark can persist (or cache) a dataset in memory across operations • Each node stores any partitions of it that it computes in memory and reuses them in other transformations/actions on that RDD • 10x increase in speed • One of the most important Spark features >>> wordCounts = rdd.flatMap(lamdba x: x.split(“ “)) .map(lambda w: (w, 1)) .reduceByKey(add) .cache() 39
  • 40. RDD Persistence Storage Levels Storage Level Meaning MEMORY_ONLY Store RDD as deserialized Java objects in the JVM. If the RDD does not fit in memory, some partitions will not be cached and will be recomputed on the fly each time they're needed. This is the default level. MEMORY_AND_DISK Store RDD as deserialized Java objects in the JVM. If the RDD does not fit in memory, store the partitions that don't fit on disk, and read them from there when they're needed. MEMORY_ONLY_SER Store RDD as serialized Java objects (one byte array per partition). This is generally more space-efficient than deserialized objects, especially when using a fast serializer, but more CPU-intensive to read. http://spark.apache.org/docs/latest/programming-guide.html 40
  • 41. More RDD Persistence Storage Levels Storage Level Meaning MEMORY_AND_DISK_SER Similar to MEMORY_ONLY_SER, but spill partitions that don't fit in memory to disk instead of recomputing them on the fly each time they're needed. DISK_ONLY Store RDD partitions only on disk. MEMORY_ONLY_2, MEMORY_AND_DISK_2, etc. Same as the levels above, but replicate each partition on two cluster nodes. OFF_HEAP (experimental) Store RDD in serialized format in Tachyon. Compared to MEMORY_ONLY_SER, OFF_HEAP reduces garbage collection overhead and allows executors to be smaller and to share a pool of memory, making it attractive in environments with large heaps or multiple concurrent applications. http://spark.apache.org/docs/latest/programming-guide.html 41
  • 43. And so much more… • DataFrames and SQL • Spark Streaming • MLlib • GraphX spark.apache.org/docs/latest/ 43