SlideShare a Scribd company logo
Scala SWAT
Artur Bańkowski
artur@evojam.com
@abankowski
TACKLING
A 1 BILLION MEMBER
SOCIAL NETWORK
This is a story about
our participation in
one of our customer’s
project
1
Previous Experience
~10 millions records
~60 millions documents
~60 million vertices graph (non-commercial)
Datasets I have previously worked on were much smaller!
This time we were about to deal with a much bigger social network, which
can easily be represented as a graph. We were going to join the team…
Graph structure
User
User
User
Foo Inc.
User
User
User
worked
worked
knows
knows
knows
knows
Bar Ltd.
worked
knows
2 types of vertices
2 types of relations
Companies and Users
User
User
User
Foo Inc.
User
User
User
worked
worked
knows
knows
knows
knows
The concept: provide graph subset
Bar Ltd.
worked
Foo Inc.
User
User
User
User
worked
worked
knows
knows
knows
knows
knows
Fulltext searchable,
sortable, filterable
result for Foo Inc.
1 billion challenge
835,272,759
835,272,759 vertices
751,857,081 users
83,415,678 companies
6,956,990,209 relations
Subsets from thousands to millions users
When we finally put
our hands on the data,
we have realized that
datasize is smaller
than expected
What more have we
found?
Existing app workflow
One Engineer-Evening
Multiple custom scripts
JSON files
extract subset
eg: 3m profiles
750m profiles
data duplication
only manually selected
60m incl. duplicates
Manual process,
takes few days from
user perspective
This was already used by final customers
PoC - The Goal
Handle 1 billion profiles automatically
Our primary goal
PoC - Definition of done
• Graph traversable on demand
• First results available under 1 minute
• Entire subset ready in few minutes
REST API with search
PoC - Concept
Graph DB
Document
DB
API
6,956,990,209 relations
751,857,081 profiles
Whole dataset
stored in two
engines
All relations
All profiles
Why graph DB?
•Fast graph traversal
•Easily extendable with new relations and vertices
•Convenient algorithm description
PoC - Flow
Graph DB
Document
DB
API
1. Generate subset
2. Tag documents
3. Perform search with
tag as a filter
Generate subset from
graph with users and
companies relations
Tag documents
with unique id in
database with all
profiles
Search with
unique id as a
primary filter
Weapon of choice
? ?Graph DB
Document
DB
API
Scala and Play were
natural choice for API app
Some research
required for
databases
First Steps: Extraction
Extract anonymized
profiles, companies
and relations
Cleanup data, sort
and generate input
files
few days to pull, streaming
with Akka and Slick
To make a research we had to put our hands on the real data
First Steps: Pushing forward
Push profiles for
searching purposes
Push vertices and
relations for traversal
Document
DB
Graph DB
two tools,
highly dependent on db engines
Fulltext Searchable Document DB
• Mature
• Horizontally scalable
• Fast indexing (~3k documents per second on the single node)
• Well documented
• With scala libraries:
• https://github.com/sksamuel/elastic4s
• https://github.com/evojam/play-elastic4s
We already had significant experience with scaling Elastic Search
for 80 millions
Which graph DB?
Considered three engines,
OrientDB and Neo4j in
community editions
Goodbye Titan
• Performed well in ~60M
tests
• fast traversing
• Development has been put
on hold?
• No batch insertion, slow initial
load
• Stalled writes after 200
millions of vertices with
relations
• Horror stories in the internet
Neo4j FTW
https://github.com/AnormCypher/AnormCypher
• Fast
• Already known
• Convenient in Scala with
AnormCypher
• Offline bulk loading
• Result streaming
Weapon of choice
Graph DB
Document
DB
API
Final stack :)
Final Setup on AWS
Neo4j
API
hr-1 hr-2
ES Cluster
i2.xlarge
4vCPU 30.5GB
i2.2xlarge
8vCPU 61GB
m4.large
2vCPU 8GB
• 2 nodes
• 2 indexes
• 10 shards each index
• 0 replicas
Step #1 - Bulk loading into Neo4j
Importing the contents of these files into data/graph.db.
[…]
IMPORT DONE in 3h 24m 58s 140ms. Imported:
 835273352 nodes
 6956990209 relationships
 0 properties
Importing the contents of these files into data/graph.db.
[…]
IMPORT DONE in 3h 24m 58s 140ms. Imported:
 835273352 nodes
 6956990209 relationships
 0 properties
Importing the contents of these files into data/graph.db.
[…]
IMPORT DONE in 3h 24m 58s 140ms. Imported:
 835273352 nodes
 6956990209 relationships
 0 properties
Importing the contents of these files into data/graph.db.
[…]
IMPORT DONE in 3h 24m 58s 140ms. Imported:
 835273352 nodes
 6956990209 relationships
 0 properties
It took 12 hours on 2 times smaller Amazon instance
Step #2 - Bulk loading into ES
grouped insert
1. Create Source from CSV file, frame by n
2. Decode id from ByteString, generate user json
3. Group by the bulk size (eg.: 4500)
4. Throttle
5. Execute bulk insert into the ElasticSearch
throttle
Akka advantage:
CPU utilization,
parallel data
enrichment,
human readable
Step #2 - Bulk loading into ES
FileIO.fromFile(new File(sourceOfUserIds))

.via(
Framing.delimiter(ByteString('n'),
maximumFrameLength = 1024,
allowTruncation = false))

.mapAsyncUnordered(16)(prepareUserJson)

.grouped(4500)

.throttle(

elements = 2,

per = 2 seconds,

maximumBurst = 2,

mode = ThrottleMode.Shaping)

.mapAsyncUnordered(2)(executeBulkInsert)

.runWith(Sink.ignore)
Flow description
with Akka
Streams
User
User
User
Foo Inc.
User
User
User
worked
worked
knows
knows
knows
knows
Step #3 - Tagging
Bar Ltd.
worked
Foo Inc.
User
User
User
User
worked
worked
knows
knows
knows
knows
knows
MATCH (c:Company)-[:worked]-(employees:User)-[:knows]-(aquitance:User)

WHERE ID(c)={foo-inc-id} AND NOT (aquitance)-[:worked]-(c)

RETURN DISTINCT ID(aquitance)
Neo4j traversal query in CYPHER
Akka Streams to the rescue
val idEnum : Enumeratee[CypherRow] = _
val src =
Source.fromPublisher(Streams.enumeratorToPublisher(idEnum))

.map(_.data.head.asInstanceOf[BigDecimal].toInt)

.via(new TimeoutOnEmptyBuffer())

.map(UserId(_))
.mapAsyncUnordered(parallelism = 1)(id =>
dao.tagProfiles(id, companyId))
Readable flow
Buffering to protect Neo4j when indexing is too slow
Timeout due to the bug in the underlying implementation
Bottleneck
1.5 hour for 3 million subset, that’s too long!
Bulk update with AkkaStream tuning
src
.grouped(20000)

.throttle(
elements = 2,
per = 6 second,
maximumBurst = 2,
mode = ThrottleMode.Shaping)
.mapAsyncUnordered(parallelism = 1)(ids =>
dao.bulkTag(ids, ...))
Bulk tagging,
few lines
Tagging Foo-Company
~14 seconds until first batch is tagged
~7 minutes 11 seconds until all tagged
reference implementation - few hours
2,222,840 profiles matching criteria
Sample subset :)
Step #5 - Search
Neo4j
API
hr-1 hr-2
ES Cluster
i2.xlarge
4vCPU 30.5GBi2.2xlarge
8vCPU 61GB
m4.large
2vCPU 8GB
With data ready in ES
search implementation was
pretty straightforward
Step #5 - Search benchmark
Fulltext search on 2 millions subset
GET /users?company=foo-company&phrase=John
2000 phrases for the benchmarking
Response JSON with 50 profiles
Searching in 750 millions database
Phrases based on
real names and
surnames, used
during profiles
enrichment
Random
requests ordering
Step #5 - Search under siege
Response time ~ 0.14s50 concurrent users
constant
latency
constant
search rate
Objective achieved
search response time from API ~0.14s
14 seconds until first batch is tagged
7 minutes until 2 millions ready
Summary
reference implementation PoC
manual automatic
few days 14 seconds
few days 7 minutes
~40 millions ~750 millions
no analytics GraphX ready
Tool ready for data scientists
W can implement core traversal modifications almost instantly
Summary
https://snap.stanford.edu/data/
http://neo4j.com/
https://playframework.com/
http://doc.akka.io/docs/akka-stream-and-http-experimental/2.0/scala/stream-index.html
Try at home! Sample graphs
ready to use
https://www.elastic.co/
Artur Bańkowski
artur@evojam.com
@abankowski

More Related Content

What's hot

[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...
[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...
[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...
Konrad Malawski
 
Kafka and Storm - event processing in realtime
Kafka and Storm - event processing in realtimeKafka and Storm - event processing in realtime
Kafka and Storm - event processing in realtime
Guido Schmutz
 
Managing your Black Friday Logs NDC Oslo
Managing your  Black Friday Logs NDC OsloManaging your  Black Friday Logs NDC Oslo
Managing your Black Friday Logs NDC Oslo
David Pilato
 
Testing at Stream-Scale
Testing at Stream-ScaleTesting at Stream-Scale
Testing at Stream-Scale
All Things Open
 
Managing your black friday logs Voxxed Luxembourg
Managing your black friday logs Voxxed LuxembourgManaging your black friday logs Voxxed Luxembourg
Managing your black friday logs Voxxed Luxembourg
David Pilato
 
Spark streaming + kafka 0.10
Spark streaming + kafka 0.10Spark streaming + kafka 0.10
Spark streaming + kafka 0.10
Joan Viladrosa Riera
 
End to End Akka Streams / Reactive Streams - from Business to Socket
End to End Akka Streams / Reactive Streams - from Business to SocketEnd to End Akka Streams / Reactive Streams - from Business to Socket
End to End Akka Streams / Reactive Streams - from Business to Socket
Konrad Malawski
 
Genomic Computation at Scale with Serverless, StackStorm and Docker Swarm
Genomic Computation at Scale with Serverless, StackStorm and Docker SwarmGenomic Computation at Scale with Serverless, StackStorm and Docker Swarm
Genomic Computation at Scale with Serverless, StackStorm and Docker Swarm
Dmitri Zimine
 
Real-Time Big Data at In-Memory Speed, Using Storm
Real-Time Big Data at In-Memory Speed, Using StormReal-Time Big Data at In-Memory Speed, Using Storm
Real-Time Big Data at In-Memory Speed, Using Storm
Nati Shalom
 
[Spark Summit EU 2017] Apache spark streaming + kafka 0.10 an integration story
[Spark Summit EU 2017] Apache spark streaming + kafka 0.10  an integration story[Spark Summit EU 2017] Apache spark streaming + kafka 0.10  an integration story
[Spark Summit EU 2017] Apache spark streaming + kafka 0.10 an integration story
Joan Viladrosa Riera
 
Serverless on OpenStack with Docker Swarm, Mistral, and StackStorm
Serverless on OpenStack with Docker Swarm, Mistral, and StackStormServerless on OpenStack with Docker Swarm, Mistral, and StackStorm
Serverless on OpenStack with Docker Swarm, Mistral, and StackStorm
Dmitri Zimine
 
Spark summit-east-dowling-feb2017-full
Spark summit-east-dowling-feb2017-fullSpark summit-east-dowling-feb2017-full
Spark summit-east-dowling-feb2017-full
Jim Dowling
 
Apache Spark v3.0.0
Apache Spark v3.0.0Apache Spark v3.0.0
Apache Spark v3.0.0
Jean-Georges Perrin
 
Have your cake and eat it too
Have your cake and eat it tooHave your cake and eat it too
Have your cake and eat it too
Gwen (Chen) Shapira
 
Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...
Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...
Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...
Folio3 Software
 
Tutorial Kafka-Storm
Tutorial Kafka-StormTutorial Kafka-Storm
Tutorial Kafka-Storm
Universidad de Santiago de Chile
 
Real-time streaming and data pipelines with Apache Kafka
Real-time streaming and data pipelines with Apache KafkaReal-time streaming and data pipelines with Apache Kafka
Real-time streaming and data pipelines with Apache Kafka
Joe Stein
 
How Reactive Streams & Akka Streams change the JVM Ecosystem
How Reactive Streams & Akka Streams change the JVM EcosystemHow Reactive Streams & Akka Streams change the JVM Ecosystem
How Reactive Streams & Akka Streams change the JVM Ecosystem
Konrad Malawski
 
Putting the 'I' in IoT - Building Digital Twins with Akka Microservices
Putting the 'I' in IoT - Building Digital Twins with Akka MicroservicesPutting the 'I' in IoT - Building Digital Twins with Akka Microservices
Putting the 'I' in IoT - Building Digital Twins with Akka Microservices
Lightbend
 

What's hot (20)

[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...
[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...
[Japanese] How Reactive Streams and Akka Streams change the JVM Ecosystem @ R...
 
Kafka and Storm - event processing in realtime
Kafka and Storm - event processing in realtimeKafka and Storm - event processing in realtime
Kafka and Storm - event processing in realtime
 
Managing your Black Friday Logs NDC Oslo
Managing your  Black Friday Logs NDC OsloManaging your  Black Friday Logs NDC Oslo
Managing your Black Friday Logs NDC Oslo
 
Testing at Stream-Scale
Testing at Stream-ScaleTesting at Stream-Scale
Testing at Stream-Scale
 
Managing your black friday logs Voxxed Luxembourg
Managing your black friday logs Voxxed LuxembourgManaging your black friday logs Voxxed Luxembourg
Managing your black friday logs Voxxed Luxembourg
 
Spark streaming + kafka 0.10
Spark streaming + kafka 0.10Spark streaming + kafka 0.10
Spark streaming + kafka 0.10
 
End to End Akka Streams / Reactive Streams - from Business to Socket
End to End Akka Streams / Reactive Streams - from Business to SocketEnd to End Akka Streams / Reactive Streams - from Business to Socket
End to End Akka Streams / Reactive Streams - from Business to Socket
 
Genomic Computation at Scale with Serverless, StackStorm and Docker Swarm
Genomic Computation at Scale with Serverless, StackStorm and Docker SwarmGenomic Computation at Scale with Serverless, StackStorm and Docker Swarm
Genomic Computation at Scale with Serverless, StackStorm and Docker Swarm
 
Real-Time Big Data at In-Memory Speed, Using Storm
Real-Time Big Data at In-Memory Speed, Using StormReal-Time Big Data at In-Memory Speed, Using Storm
Real-Time Big Data at In-Memory Speed, Using Storm
 
[Spark Summit EU 2017] Apache spark streaming + kafka 0.10 an integration story
[Spark Summit EU 2017] Apache spark streaming + kafka 0.10  an integration story[Spark Summit EU 2017] Apache spark streaming + kafka 0.10  an integration story
[Spark Summit EU 2017] Apache spark streaming + kafka 0.10 an integration story
 
Serverless on OpenStack with Docker Swarm, Mistral, and StackStorm
Serverless on OpenStack with Docker Swarm, Mistral, and StackStormServerless on OpenStack with Docker Swarm, Mistral, and StackStorm
Serverless on OpenStack with Docker Swarm, Mistral, and StackStorm
 
Spark summit-east-dowling-feb2017-full
Spark summit-east-dowling-feb2017-fullSpark summit-east-dowling-feb2017-full
Spark summit-east-dowling-feb2017-full
 
Apache Spark v3.0.0
Apache Spark v3.0.0Apache Spark v3.0.0
Apache Spark v3.0.0
 
Have your cake and eat it too
Have your cake and eat it tooHave your cake and eat it too
Have your cake and eat it too
 
Introduction to Storm
Introduction to StormIntroduction to Storm
Introduction to Storm
 
Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...
Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...
Distributed and Fault Tolerant Realtime Computation with Apache Storm, Apache...
 
Tutorial Kafka-Storm
Tutorial Kafka-StormTutorial Kafka-Storm
Tutorial Kafka-Storm
 
Real-time streaming and data pipelines with Apache Kafka
Real-time streaming and data pipelines with Apache KafkaReal-time streaming and data pipelines with Apache Kafka
Real-time streaming and data pipelines with Apache Kafka
 
How Reactive Streams & Akka Streams change the JVM Ecosystem
How Reactive Streams & Akka Streams change the JVM EcosystemHow Reactive Streams & Akka Streams change the JVM Ecosystem
How Reactive Streams & Akka Streams change the JVM Ecosystem
 
Putting the 'I' in IoT - Building Digital Twins with Akka Microservices
Putting the 'I' in IoT - Building Digital Twins with Akka MicroservicesPutting the 'I' in IoT - Building Digital Twins with Akka Microservices
Putting the 'I' in IoT - Building Digital Twins with Akka Microservices
 

Viewers also liked

OrientDB & Lucene
OrientDB & LuceneOrientDB & Lucene
OrientDB & Lucenewolf4ood
 
Aws cost optimization: lessons learned, strategies, tips and tools
Aws cost optimization: lessons learned, strategies, tips and toolsAws cost optimization: lessons learned, strategies, tips and tools
Aws cost optimization: lessons learned, strategies, tips and tools
Felipe
 
Cloudwatch: Monitoring your Services with Metrics and Alarms
Cloudwatch: Monitoring your Services with Metrics and AlarmsCloudwatch: Monitoring your Services with Metrics and Alarms
Cloudwatch: Monitoring your Services with Metrics and Alarms
Felipe
 
Cloudwatch: Monitoring your AWS services with Metrics and Alarms
Cloudwatch: Monitoring your AWS services with Metrics and AlarmsCloudwatch: Monitoring your AWS services with Metrics and Alarms
Cloudwatch: Monitoring your AWS services with Metrics and Alarms
Felipe
 
Benchmarking graph databases on the problem of community detection
Benchmarking graph databases on the problem of community detectionBenchmarking graph databases on the problem of community detection
Benchmarking graph databases on the problem of community detection
Symeon Papadopoulos
 
Elasticsearch for Data Analytics
Elasticsearch for Data AnalyticsElasticsearch for Data Analytics
Elasticsearch for Data Analytics
Felipe
 
Online Machine Learning: introduction and examples
Online Machine Learning:  introduction and examplesOnline Machine Learning:  introduction and examples
Online Machine Learning: introduction and examples
Felipe
 
Scala Days NYC 2016
Scala Days NYC 2016Scala Days NYC 2016
Scala Days NYC 2016
Martin Odersky
 
Reactive integrations with Akka Streams
Reactive integrations with Akka StreamsReactive integrations with Akka Streams
Reactive integrations with Akka Streams
Konrad Malawski
 
OrientDB vs Neo4j - Comparison of query/speed/functionality
OrientDB vs Neo4j - Comparison of query/speed/functionalityOrientDB vs Neo4j - Comparison of query/speed/functionality
OrientDB vs Neo4j - Comparison of query/speed/functionality
Curtis Mosters
 

Viewers also liked (10)

OrientDB & Lucene
OrientDB & LuceneOrientDB & Lucene
OrientDB & Lucene
 
Aws cost optimization: lessons learned, strategies, tips and tools
Aws cost optimization: lessons learned, strategies, tips and toolsAws cost optimization: lessons learned, strategies, tips and tools
Aws cost optimization: lessons learned, strategies, tips and tools
 
Cloudwatch: Monitoring your Services with Metrics and Alarms
Cloudwatch: Monitoring your Services with Metrics and AlarmsCloudwatch: Monitoring your Services with Metrics and Alarms
Cloudwatch: Monitoring your Services with Metrics and Alarms
 
Cloudwatch: Monitoring your AWS services with Metrics and Alarms
Cloudwatch: Monitoring your AWS services with Metrics and AlarmsCloudwatch: Monitoring your AWS services with Metrics and Alarms
Cloudwatch: Monitoring your AWS services with Metrics and Alarms
 
Benchmarking graph databases on the problem of community detection
Benchmarking graph databases on the problem of community detectionBenchmarking graph databases on the problem of community detection
Benchmarking graph databases on the problem of community detection
 
Elasticsearch for Data Analytics
Elasticsearch for Data AnalyticsElasticsearch for Data Analytics
Elasticsearch for Data Analytics
 
Online Machine Learning: introduction and examples
Online Machine Learning:  introduction and examplesOnline Machine Learning:  introduction and examples
Online Machine Learning: introduction and examples
 
Scala Days NYC 2016
Scala Days NYC 2016Scala Days NYC 2016
Scala Days NYC 2016
 
Reactive integrations with Akka Streams
Reactive integrations with Akka StreamsReactive integrations with Akka Streams
Reactive integrations with Akka Streams
 
OrientDB vs Neo4j - Comparison of query/speed/functionality
OrientDB vs Neo4j - Comparison of query/speed/functionalityOrientDB vs Neo4j - Comparison of query/speed/functionality
OrientDB vs Neo4j - Comparison of query/speed/functionality
 

Similar to Tackling a 1 billion member social network

Yahoo compares Storm and Spark
Yahoo compares Storm and SparkYahoo compares Storm and Spark
Yahoo compares Storm and Spark
Chicago Hadoop Users Group
 
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
 
What to Expect for Big Data and Apache Spark in 2017
What to Expect for Big Data and Apache Spark in 2017 What to Expect for Big Data and Apache Spark in 2017
What to Expect for Big Data and Apache Spark in 2017
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
 
Off-Label Data Mesh: A Prescription for Healthier Data
Off-Label Data Mesh: A Prescription for Healthier DataOff-Label Data Mesh: A Prescription for Healthier Data
Off-Label Data Mesh: A Prescription for Healthier Data
HostedbyConfluent
 
Big data apache spark + scala
Big data   apache spark + scalaBig data   apache spark + scala
Big data apache spark + scala
Juantomás García Molina
 
Introduction to apache kafka, confluent and why they matter
Introduction to apache kafka, confluent and why they matterIntroduction to apache kafka, confluent and why they matter
Introduction to apache kafka, confluent and why they matter
Paolo Castagna
 
What's New in Apache Spark 2.3 & Why Should You Care
What's New in Apache Spark 2.3 & Why Should You CareWhat's New in Apache Spark 2.3 & Why Should You Care
What's New in Apache Spark 2.3 & Why Should You Care
Databricks
 
Data Science
Data ScienceData Science
Data Science
Ahmet Bulut
 
Hadoop & Hive Change the Data Warehousing Game Forever
Hadoop & Hive Change the Data Warehousing Game ForeverHadoop & Hive Change the Data Warehousing Game Forever
Hadoop & Hive Change the Data Warehousing Game ForeverDataWorks Summit
 
Deep learning and streaming in Apache Spark 2.2 by Matei Zaharia
Deep learning and streaming in Apache Spark 2.2 by Matei ZahariaDeep learning and streaming in Apache Spark 2.2 by Matei Zaharia
Deep learning and streaming in Apache Spark 2.2 by Matei Zaharia
GoDataDriven
 
Running Presto and Spark on the Netflix Big Data Platform
Running Presto and Spark on the Netflix Big Data PlatformRunning Presto and Spark on the Netflix Big Data Platform
Running Presto and Spark on the Netflix Big Data Platform
Eva Tse
 
How a Small Team Scales Instagram
How a Small Team Scales InstagramHow a Small Team Scales Instagram
How a Small Team Scales Instagram
C4Media
 
Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...
Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...
Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...
Landon Robinson
 
Apache Spark Listeners: A Crash Course in Fast, Easy Monitoring
Apache Spark Listeners: A Crash Course in Fast, Easy MonitoringApache Spark Listeners: A Crash Course in Fast, Easy Monitoring
Apache Spark Listeners: A Crash Course in Fast, Easy Monitoring
Databricks
 
Scio - Moving to Google Cloud, A Spotify Story
 Scio - Moving to Google Cloud, A Spotify Story Scio - Moving to Google Cloud, A Spotify Story
Scio - Moving to Google Cloud, A Spotify Story
Neville Li
 
(BDT303) Running Spark and Presto on the Netflix Big Data Platform
(BDT303) Running Spark and Presto on the Netflix Big Data Platform(BDT303) Running Spark and Presto on the Netflix Big Data Platform
(BDT303) Running Spark and Presto on the Netflix Big Data Platform
Amazon Web Services
 
AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)
AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)
AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)
Amazon Web Services Korea
 
Case Study: Elasticsearch Ingest Using StreamSets at Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets at Cisco IntercloudCase Study: Elasticsearch Ingest Using StreamSets at Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets at Cisco Intercloud
Rick Bilodeau
 
Case Study: Elasticsearch Ingest Using StreamSets @ Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets @ Cisco IntercloudCase Study: Elasticsearch Ingest Using StreamSets @ Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets @ Cisco Intercloud
Streamsets Inc.
 

Similar to Tackling a 1 billion member social network (20)

Yahoo compares Storm and Spark
Yahoo compares Storm and SparkYahoo compares Storm and Spark
Yahoo compares Storm and Spark
 
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...
 
What to Expect for Big Data and Apache Spark in 2017
What to Expect for Big Data and Apache Spark in 2017 What to Expect for Big Data and Apache Spark in 2017
What to Expect for Big Data and Apache Spark in 2017
 
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
 
Off-Label Data Mesh: A Prescription for Healthier Data
Off-Label Data Mesh: A Prescription for Healthier DataOff-Label Data Mesh: A Prescription for Healthier Data
Off-Label Data Mesh: A Prescription for Healthier Data
 
Big data apache spark + scala
Big data   apache spark + scalaBig data   apache spark + scala
Big data apache spark + scala
 
Introduction to apache kafka, confluent and why they matter
Introduction to apache kafka, confluent and why they matterIntroduction to apache kafka, confluent and why they matter
Introduction to apache kafka, confluent and why they matter
 
What's New in Apache Spark 2.3 & Why Should You Care
What's New in Apache Spark 2.3 & Why Should You CareWhat's New in Apache Spark 2.3 & Why Should You Care
What's New in Apache Spark 2.3 & Why Should You Care
 
Data Science
Data ScienceData Science
Data Science
 
Hadoop & Hive Change the Data Warehousing Game Forever
Hadoop & Hive Change the Data Warehousing Game ForeverHadoop & Hive Change the Data Warehousing Game Forever
Hadoop & Hive Change the Data Warehousing Game Forever
 
Deep learning and streaming in Apache Spark 2.2 by Matei Zaharia
Deep learning and streaming in Apache Spark 2.2 by Matei ZahariaDeep learning and streaming in Apache Spark 2.2 by Matei Zaharia
Deep learning and streaming in Apache Spark 2.2 by Matei Zaharia
 
Running Presto and Spark on the Netflix Big Data Platform
Running Presto and Spark on the Netflix Big Data PlatformRunning Presto and Spark on the Netflix Big Data Platform
Running Presto and Spark on the Netflix Big Data Platform
 
How a Small Team Scales Instagram
How a Small Team Scales InstagramHow a Small Team Scales Instagram
How a Small Team Scales Instagram
 
Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...
Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...
Spark + AI Summit 2019: Apache Spark Listeners: A Crash Course in Fast, Easy ...
 
Apache Spark Listeners: A Crash Course in Fast, Easy Monitoring
Apache Spark Listeners: A Crash Course in Fast, Easy MonitoringApache Spark Listeners: A Crash Course in Fast, Easy Monitoring
Apache Spark Listeners: A Crash Course in Fast, Easy Monitoring
 
Scio - Moving to Google Cloud, A Spotify Story
 Scio - Moving to Google Cloud, A Spotify Story Scio - Moving to Google Cloud, A Spotify Story
Scio - Moving to Google Cloud, A Spotify Story
 
(BDT303) Running Spark and Presto on the Netflix Big Data Platform
(BDT303) Running Spark and Presto on the Netflix Big Data Platform(BDT303) Running Spark and Presto on the Netflix Big Data Platform
(BDT303) Running Spark and Presto on the Netflix Big Data Platform
 
AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)
AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)
AI 클라우드로 완전 정복하기 - 데이터 분석부터 딥러닝까지 (윤석찬, AWS테크에반젤리스트)
 
Case Study: Elasticsearch Ingest Using StreamSets at Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets at Cisco IntercloudCase Study: Elasticsearch Ingest Using StreamSets at Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets at Cisco Intercloud
 
Case Study: Elasticsearch Ingest Using StreamSets @ Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets @ Cisco IntercloudCase Study: Elasticsearch Ingest Using StreamSets @ Cisco Intercloud
Case Study: Elasticsearch Ingest Using StreamSets @ Cisco Intercloud
 

Recently uploaded

Railway Signalling Principles Edition 3.pdf
Railway Signalling Principles Edition 3.pdfRailway Signalling Principles Edition 3.pdf
Railway Signalling Principles Edition 3.pdf
TeeVichai
 
block diagram and signal flow graph representation
block diagram and signal flow graph representationblock diagram and signal flow graph representation
block diagram and signal flow graph representation
Divya Somashekar
 
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdfAKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
SamSarthak3
 
TECHNICAL TRAINING MANUAL GENERAL FAMILIARIZATION COURSE
TECHNICAL TRAINING MANUAL   GENERAL FAMILIARIZATION COURSETECHNICAL TRAINING MANUAL   GENERAL FAMILIARIZATION COURSE
TECHNICAL TRAINING MANUAL GENERAL FAMILIARIZATION COURSE
DuvanRamosGarzon1
 
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
bakpo1
 
addressing modes in computer architecture
addressing modes  in computer architectureaddressing modes  in computer architecture
addressing modes in computer architecture
ShahidSultan24
 
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
AJAYKUMARPUND1
 
Nuclear Power Economics and Structuring 2024
Nuclear Power Economics and Structuring 2024Nuclear Power Economics and Structuring 2024
Nuclear Power Economics and Structuring 2024
Massimo Talia
 
The role of big data in decision making.
The role of big data in decision making.The role of big data in decision making.
The role of big data in decision making.
ankuprajapati0525
 
ASME IX(9) 2007 Full Version .pdf
ASME IX(9)  2007 Full Version       .pdfASME IX(9)  2007 Full Version       .pdf
ASME IX(9) 2007 Full Version .pdf
AhmedHussein950959
 
Halogenation process of chemical process industries
Halogenation process of chemical process industriesHalogenation process of chemical process industries
Halogenation process of chemical process industries
MuhammadTufail242431
 
ethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.pptethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.ppt
Jayaprasanna4
 
Democratizing Fuzzing at Scale by Abhishek Arya
Democratizing Fuzzing at Scale by Abhishek AryaDemocratizing Fuzzing at Scale by Abhishek Arya
Democratizing Fuzzing at Scale by Abhishek Arya
abh.arya
 
Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)
Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)
Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)
MdTanvirMahtab2
 
Immunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary AttacksImmunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary Attacks
gerogepatton
 
MCQ Soil mechanics questions (Soil shear strength).pdf
MCQ Soil mechanics questions (Soil shear strength).pdfMCQ Soil mechanics questions (Soil shear strength).pdf
MCQ Soil mechanics questions (Soil shear strength).pdf
Osamah Alsalih
 
Top 10 Oil and Gas Projects in Saudi Arabia 2024.pdf
Top 10 Oil and Gas Projects in Saudi Arabia 2024.pdfTop 10 Oil and Gas Projects in Saudi Arabia 2024.pdf
Top 10 Oil and Gas Projects in Saudi Arabia 2024.pdf
Teleport Manpower Consultant
 
Gen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdfGen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdf
gdsczhcet
 
H.Seo, ICLR 2024, MLILAB, KAIST AI.pdf
H.Seo,  ICLR 2024, MLILAB,  KAIST AI.pdfH.Seo,  ICLR 2024, MLILAB,  KAIST AI.pdf
H.Seo, ICLR 2024, MLILAB, KAIST AI.pdf
MLILAB
 
Automobile Management System Project Report.pdf
Automobile Management System Project Report.pdfAutomobile Management System Project Report.pdf
Automobile Management System Project Report.pdf
Kamal Acharya
 

Recently uploaded (20)

Railway Signalling Principles Edition 3.pdf
Railway Signalling Principles Edition 3.pdfRailway Signalling Principles Edition 3.pdf
Railway Signalling Principles Edition 3.pdf
 
block diagram and signal flow graph representation
block diagram and signal flow graph representationblock diagram and signal flow graph representation
block diagram and signal flow graph representation
 
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdfAKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
 
TECHNICAL TRAINING MANUAL GENERAL FAMILIARIZATION COURSE
TECHNICAL TRAINING MANUAL   GENERAL FAMILIARIZATION COURSETECHNICAL TRAINING MANUAL   GENERAL FAMILIARIZATION COURSE
TECHNICAL TRAINING MANUAL GENERAL FAMILIARIZATION COURSE
 
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
 
addressing modes in computer architecture
addressing modes  in computer architectureaddressing modes  in computer architecture
addressing modes in computer architecture
 
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
 
Nuclear Power Economics and Structuring 2024
Nuclear Power Economics and Structuring 2024Nuclear Power Economics and Structuring 2024
Nuclear Power Economics and Structuring 2024
 
The role of big data in decision making.
The role of big data in decision making.The role of big data in decision making.
The role of big data in decision making.
 
ASME IX(9) 2007 Full Version .pdf
ASME IX(9)  2007 Full Version       .pdfASME IX(9)  2007 Full Version       .pdf
ASME IX(9) 2007 Full Version .pdf
 
Halogenation process of chemical process industries
Halogenation process of chemical process industriesHalogenation process of chemical process industries
Halogenation process of chemical process industries
 
ethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.pptethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.ppt
 
Democratizing Fuzzing at Scale by Abhishek Arya
Democratizing Fuzzing at Scale by Abhishek AryaDemocratizing Fuzzing at Scale by Abhishek Arya
Democratizing Fuzzing at Scale by Abhishek Arya
 
Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)
Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)
Industrial Training at Shahjalal Fertilizer Company Limited (SFCL)
 
Immunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary AttacksImmunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary Attacks
 
MCQ Soil mechanics questions (Soil shear strength).pdf
MCQ Soil mechanics questions (Soil shear strength).pdfMCQ Soil mechanics questions (Soil shear strength).pdf
MCQ Soil mechanics questions (Soil shear strength).pdf
 
Top 10 Oil and Gas Projects in Saudi Arabia 2024.pdf
Top 10 Oil and Gas Projects in Saudi Arabia 2024.pdfTop 10 Oil and Gas Projects in Saudi Arabia 2024.pdf
Top 10 Oil and Gas Projects in Saudi Arabia 2024.pdf
 
Gen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdfGen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdf
 
H.Seo, ICLR 2024, MLILAB, KAIST AI.pdf
H.Seo,  ICLR 2024, MLILAB,  KAIST AI.pdfH.Seo,  ICLR 2024, MLILAB,  KAIST AI.pdf
H.Seo, ICLR 2024, MLILAB, KAIST AI.pdf
 
Automobile Management System Project Report.pdf
Automobile Management System Project Report.pdfAutomobile Management System Project Report.pdf
Automobile Management System Project Report.pdf
 

Tackling a 1 billion member social network

  • 1. Scala SWAT Artur Bańkowski artur@evojam.com @abankowski TACKLING A 1 BILLION MEMBER SOCIAL NETWORK This is a story about our participation in one of our customer’s project 1
  • 2. Previous Experience ~10 millions records ~60 millions documents ~60 million vertices graph (non-commercial) Datasets I have previously worked on were much smaller! This time we were about to deal with a much bigger social network, which can easily be represented as a graph. We were going to join the team…
  • 3. Graph structure User User User Foo Inc. User User User worked worked knows knows knows knows Bar Ltd. worked knows 2 types of vertices 2 types of relations Companies and Users
  • 4. User User User Foo Inc. User User User worked worked knows knows knows knows The concept: provide graph subset Bar Ltd. worked Foo Inc. User User User User worked worked knows knows knows knows knows Fulltext searchable, sortable, filterable result for Foo Inc.
  • 5. 1 billion challenge 835,272,759 835,272,759 vertices 751,857,081 users 83,415,678 companies 6,956,990,209 relations Subsets from thousands to millions users When we finally put our hands on the data, we have realized that datasize is smaller than expected What more have we found?
  • 6. Existing app workflow One Engineer-Evening Multiple custom scripts JSON files extract subset eg: 3m profiles 750m profiles data duplication only manually selected 60m incl. duplicates Manual process, takes few days from user perspective This was already used by final customers
  • 7. PoC - The Goal Handle 1 billion profiles automatically Our primary goal
  • 8. PoC - Definition of done • Graph traversable on demand • First results available under 1 minute • Entire subset ready in few minutes REST API with search
  • 9. PoC - Concept Graph DB Document DB API 6,956,990,209 relations 751,857,081 profiles Whole dataset stored in two engines All relations All profiles
  • 10. Why graph DB? •Fast graph traversal •Easily extendable with new relations and vertices •Convenient algorithm description
  • 11. PoC - Flow Graph DB Document DB API 1. Generate subset 2. Tag documents 3. Perform search with tag as a filter Generate subset from graph with users and companies relations Tag documents with unique id in database with all profiles Search with unique id as a primary filter
  • 12. Weapon of choice ? ?Graph DB Document DB API Scala and Play were natural choice for API app Some research required for databases
  • 13. First Steps: Extraction Extract anonymized profiles, companies and relations Cleanup data, sort and generate input files few days to pull, streaming with Akka and Slick To make a research we had to put our hands on the real data
  • 14. First Steps: Pushing forward Push profiles for searching purposes Push vertices and relations for traversal Document DB Graph DB two tools, highly dependent on db engines
  • 15. Fulltext Searchable Document DB • Mature • Horizontally scalable • Fast indexing (~3k documents per second on the single node) • Well documented • With scala libraries: • https://github.com/sksamuel/elastic4s • https://github.com/evojam/play-elastic4s We already had significant experience with scaling Elastic Search for 80 millions
  • 16. Which graph DB? Considered three engines, OrientDB and Neo4j in community editions
  • 17. Goodbye Titan • Performed well in ~60M tests • fast traversing • Development has been put on hold?
  • 18. • No batch insertion, slow initial load • Stalled writes after 200 millions of vertices with relations • Horror stories in the internet
  • 19. Neo4j FTW https://github.com/AnormCypher/AnormCypher • Fast • Already known • Convenient in Scala with AnormCypher • Offline bulk loading • Result streaming
  • 20. Weapon of choice Graph DB Document DB API Final stack :)
  • 21. Final Setup on AWS Neo4j API hr-1 hr-2 ES Cluster i2.xlarge 4vCPU 30.5GB i2.2xlarge 8vCPU 61GB m4.large 2vCPU 8GB • 2 nodes • 2 indexes • 10 shards each index • 0 replicas
  • 22. Step #1 - Bulk loading into Neo4j Importing the contents of these files into data/graph.db. […] IMPORT DONE in 3h 24m 58s 140ms. Imported:  835273352 nodes  6956990209 relationships  0 properties Importing the contents of these files into data/graph.db. […] IMPORT DONE in 3h 24m 58s 140ms. Imported:  835273352 nodes  6956990209 relationships  0 properties Importing the contents of these files into data/graph.db. […] IMPORT DONE in 3h 24m 58s 140ms. Imported:  835273352 nodes  6956990209 relationships  0 properties Importing the contents of these files into data/graph.db. […] IMPORT DONE in 3h 24m 58s 140ms. Imported:  835273352 nodes  6956990209 relationships  0 properties It took 12 hours on 2 times smaller Amazon instance
  • 23. Step #2 - Bulk loading into ES grouped insert 1. Create Source from CSV file, frame by n 2. Decode id from ByteString, generate user json 3. Group by the bulk size (eg.: 4500) 4. Throttle 5. Execute bulk insert into the ElasticSearch throttle Akka advantage: CPU utilization, parallel data enrichment, human readable
  • 24. Step #2 - Bulk loading into ES FileIO.fromFile(new File(sourceOfUserIds))
 .via( Framing.delimiter(ByteString('n'), maximumFrameLength = 1024, allowTruncation = false))
 .mapAsyncUnordered(16)(prepareUserJson)
 .grouped(4500)
 .throttle(
 elements = 2,
 per = 2 seconds,
 maximumBurst = 2,
 mode = ThrottleMode.Shaping)
 .mapAsyncUnordered(2)(executeBulkInsert)
 .runWith(Sink.ignore) Flow description with Akka Streams
  • 25. User User User Foo Inc. User User User worked worked knows knows knows knows Step #3 - Tagging Bar Ltd. worked Foo Inc. User User User User worked worked knows knows knows knows knows MATCH (c:Company)-[:worked]-(employees:User)-[:knows]-(aquitance:User)
 WHERE ID(c)={foo-inc-id} AND NOT (aquitance)-[:worked]-(c)
 RETURN DISTINCT ID(aquitance) Neo4j traversal query in CYPHER
  • 26. Akka Streams to the rescue val idEnum : Enumeratee[CypherRow] = _ val src = Source.fromPublisher(Streams.enumeratorToPublisher(idEnum))
 .map(_.data.head.asInstanceOf[BigDecimal].toInt)
 .via(new TimeoutOnEmptyBuffer())
 .map(UserId(_)) .mapAsyncUnordered(parallelism = 1)(id => dao.tagProfiles(id, companyId)) Readable flow Buffering to protect Neo4j when indexing is too slow Timeout due to the bug in the underlying implementation
  • 27. Bottleneck 1.5 hour for 3 million subset, that’s too long!
  • 28. Bulk update with AkkaStream tuning src .grouped(20000)
 .throttle( elements = 2, per = 6 second, maximumBurst = 2, mode = ThrottleMode.Shaping) .mapAsyncUnordered(parallelism = 1)(ids => dao.bulkTag(ids, ...)) Bulk tagging, few lines
  • 29. Tagging Foo-Company ~14 seconds until first batch is tagged ~7 minutes 11 seconds until all tagged reference implementation - few hours 2,222,840 profiles matching criteria Sample subset :)
  • 30. Step #5 - Search Neo4j API hr-1 hr-2 ES Cluster i2.xlarge 4vCPU 30.5GBi2.2xlarge 8vCPU 61GB m4.large 2vCPU 8GB With data ready in ES search implementation was pretty straightforward
  • 31. Step #5 - Search benchmark Fulltext search on 2 millions subset GET /users?company=foo-company&phrase=John 2000 phrases for the benchmarking Response JSON with 50 profiles Searching in 750 millions database Phrases based on real names and surnames, used during profiles enrichment Random requests ordering
  • 32. Step #5 - Search under siege Response time ~ 0.14s50 concurrent users constant latency constant search rate
  • 33. Objective achieved search response time from API ~0.14s 14 seconds until first batch is tagged 7 minutes until 2 millions ready
  • 34. Summary reference implementation PoC manual automatic few days 14 seconds few days 7 minutes ~40 millions ~750 millions no analytics GraphX ready Tool ready for data scientists W can implement core traversal modifications almost instantly