SlideShare a Scribd company logo
1 of 157
Download to read offline
1
2 . 1
2 . 2
2 . 3
2 . 4
2 . 4
docker	run	-v	/home/etadm/docker/spark/e2spkv01:/home:rw	
	-p	8088:8088	-p	8042:8042	
	-h	sandbox	
	-it	sequenceiq/spark:1.6.0	bash
2 . 5
spark-shell	
--master	local	
--jars	/home/e2-spk-s02/jars/spark-csv_2.10-1.4.0.jar
,/home/e2-spk-s02/jars/commons-csv-1.1.jar
2 . 6
3
3
3
3
3
3
4 . 1
4 . 2
4 . 2
4 . 2
4 . 2
4 . 2
4 . 2
4 . 2
4 . 2
4 . 3
4 . 3
4 . 3
4 . 3
4 . 4
4 . 4
4 . 4
4 . 5
4 . 6
4 . 7
4 . 8
4 . 9
4 . 10
4 . 11
4 . 12
4 . 13
4 . 14
4 . 15
4 . 16
4 . 17
4 . 18
4 . 19
4 . 19
5 . 1
5 . 2
//	Create	a	object	container
case	class	Word(text:	String)
val	fileName	=	"README.md"
val	docs	=	sc.textFile(fileName)
val	lower	=	docs.map(line	=>	line.toLowerCase())
val	words	=	lower.flatMap(line	=>	line.split("s+"))
//	Convert	RDD	to	Dataframe	using	"Case	class"
val	words_df	=	words.map(Word(_)).toDF()
words_df.registerTempTable("words")	//	Register	as	a	[TABLE]
val	topWords	=	sqlContext.sql(
		"SELECT	text,	count(text)	AS	n	
			FROM	words	
			GROUP	BY	text	
			ORDER	BY	n	DESC	
			LIMIT	10"
)
topWords.foreach(println)
5 . 3
5 . 4
5 . 5
5 . 6
5 . 7
5 . 8
5 . 9
5 . 10
5 . 11
5 . 12
5 . 13
5 . 14
5 . 15
5 . 16
5 . 17
5 . 18
case	class	Word(text:	String)
val	fileName	=	"README.md"
val	docs	=	sc.textFile(fileName)
val	lower	=	docs.map(line	=>	line.toLowerCase())
val	words	=	lower.flatMap(line	=>	line.split("s+"))
val	words_df	=	words.map(Word(_)).toDF()
words_df.registerTempTable("words")
val	topWords	=	sqlContext.sql("SELECT	text,	count(text)	AS	n	FROM	words	GROUP	BY	text	ORDER	BY
topWords.foreach(println)
5 . 19
5 . 20
6 . 1
6 . 2
6 . 2
6 . 2
6 . 3
6 . 4
6 . 5
6 . 6
6 . 6
6 . 6
6 . 6
6 . 6
6 . 6
6 . 7
6 . 7
6 . 7
6 . 7
6 . 7
6 . 7
6 . 8
6 . 8
6 . 8
6 . 9
6 . 9
6 . 9
6 . 9
6 . 9
6 . 9
7 . 1
7 . 2
7 . 2
7 . 2
7 . 2
7 . 2
7 . 2
7 . 3
7 . 4
7 . 4
7 . 4
import	org.apache.spark.sql.SQLContext
import	org.apache.spark.sql.functions._
val	sc	=	new	SparkContext(conf)
//	 Spark	SQL DataFrame,	 SQLContext
val	sqlContext	=	new	SQLContext(sc)
	 	
//	 RDD DataFrame
import	sqlContext.implicits._
7 . 4
7 . 5
7 . 5
7 . 5
7 . 5
//	 Parquet DataFrame
val	df	=	sqlContext.read.parquet("people.parquet")
	 	
//	 DataFrame stdout
//	Displays	the	content	of	the	DataFrame	to	stdout
df.show()
7 . 5
7 . 6
7 . 6
//	 Parquet DataFrame
val	df	=	sqlContext.read.parquet("people.parquet")	 	
//	 DataFrame stdout
df.show()
//	 Schema
df.printSchema()
//	 "name"
df.select("name").show()
//	 "age" +1	
df.select(df("name"),	df("age")	+	1).show()
//	 21 people
df.filter(df("age")	>	21).show()				
//	 age count
df.groupBy("age").count().show()
7 . 6
7 . 7
7 . 7
//	 Parquet DataFrame
val	df	=	sqlContext.read.parquet("people.parquet")
//	
df.registerTempTable("people")
//	 DataFrame stdout
sqlContext.sql("SELECT	*	FROM	people").show()
//	 Schema
sqlContext.sql("SELECT	*	FROM	people").printSchema()
//	 "name"
sqlContext.sql("SELECT	name	FROM	people").show()
//	 "age" +1
sqlContext.sql("SELECT	name,	(age	+	1)	as	age		FROM	people").show()
//	 21 people
sqlContext.sql("SELECT	*		FROM	people	WHERE	age	>	21").show()
//	 age count
sqlContext.sql("SELECT	age,	count(age)	as	count	FROM	people	Group	By	age").show()
7 . 7
7 . 8
7 . 8
7 . 8
7 . 8
//	 case	class Schema
case	class	Person(name:	String,	age:	Int)
//	 DataFrame
val	df	=	sc.textFile("people.txt").map(_.split(",")).map(p	=>	Person(p(0),	p(1).trim.toInt)).t
df.registerTempTable("people")
val	teenagers	=	sqlContext.sql("SELECT	name,	age	FROM	people	WHERE	age	>=	13	AND	age	<=	19")	
//	SQL	query DataFrame,	 normal	RDD operation
teenagers.map(	t	=>	"Name:	"	+	t(0)).collect().foreach(println)		
//	
teenagers.map	(t	=>	"Name:	"	+	t.getAs[String]("name")).collect().foreach(println)	 	
//	row.getValueMap[T] Map[String,	T]
teenagers.map	(_.getValuesMap[Any](List("name",	"age"))).collect().foreach(println)
7 . 8
7 . 9
7 . 9
7 . 9
7 . 9
//	 ,	 "parquet" Spark
val	df	=	sqlContext.read.load("users.parquet")	 	
//	 DataFrame "parquet"
df.select("name",	"favorite_color").write.save("namesAndFavColors.parquet")
7 . 9
//	 ,	 "parquet" Spark
val	df	=	sqlContext.read.load("users.parquet")	 	
//	 DataFrame "parquet"
df.select("name",	"favorite_color").write.save("namesAndFavColors.parquet")
7 . 9
7 . 10
7 . 10
7 . 10
7 . 10
7 . 10
7 . 10
7 . 10
7 . 10
7 . 10
//	 ,	 "parquet" Spark
val	df	=	sqlContext.read.format("json").load("people.json")
//	 DataFrame "parquet"
df.select("name",	"age").write.save("namesAndAges.parquet")
7 . 10
7 . 11
7 . 11
7 . 11
7 . 11
7 . 11
7 . 11
7 . 11
7 . 11
import	org.apache.spark.sql.SaveMode
//	 ,	 "parquet" Spark
val	df	=	sqlContext.read.load("users.parquet")
	 	
//	 DataFrame "parquet" ( SaveMode.Overwrite)
df.select("name",	"favorite_color").write
.mode(SaveMode.Overwrite).save("namesAndFavColors.parquet")
7 . 11
8 . 1
8 . 2
8 . 2
8 . 3
8 . 4
//define	the	schema	using	a	case	class
case	class	Auction(auctionid:	String,	bid:	Float,	bidtime:	Float,	bidder:	String,	bidderrate:	
//	 ebay auction
val	ebayText	=	sc.textFile("ebay.csv")
//	 Auction
val	ebay	=	ebayText.map(_.split(",")).map(p	=>	Auction(p(0),	p(1).toFloat,	p(2).toFloat,	p(3),
//	 DataFrame
val	auction	=	ebay.toDF()				
auction.registerTempTable("auction")
//	 ?
val	count	=	auction.select("auctionid").distinct.count
System.out.println(count)
				
//	 (item)
val	results	=sqlContext.sql("SELECT	auctionid,	item,		count(bid)	as	bid_count	FROM	auction	GRO
results.show()
				
//	 ( / / ) 8 . 4
8 . 5
8 . 6
import	com.databricks.spark.csv
//	 3rd	party	library	 "CSV" 	Dataframe
val	df	=	sqlContext.read
.format("com.databricks.spark.csv")
.option("header",	"true")	//	Use	first	line	of	all	files	as	header
.option("inferSchema",	"true")	//	Automatically	infer	data	types
.load("sfpd.csv")				
//	 Schema
df.printSchema
//	 Distinct Category
df.select("Category").distinct().collect().foreach(println)				
//	 	temp	table	
df.registerTempTable("sfpd")																												
//	
sqlContext.sql("SELECT	distinct	Category	FROM	sfpd").collect().foreach(println)
//	 Top	10	
sqlContext.sql("SELECT	Resolution	,	count(Resolution)	as	rescount	FROM	sfpd	group	by	Resolutio
//	 Top	10
sqlContext.sql("SELECT	Category	,	count(Category)	as	catcount	FROM	sfpd	group	by	Category	orde
8 . 6
9

More Related Content

What's hot

Oracle数据库日志满导致错误
Oracle数据库日志满导致错误Oracle数据库日志满导致错误
Oracle数据库日志满导致错误
Zianed Hou
 
WordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটি
WordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটিWordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটি
WordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটি
Faysal Shahi
 
2005_Structures and functions of Makefile
2005_Structures and functions of Makefile2005_Structures and functions of Makefile
2005_Structures and functions of Makefile
NakCheon Jung
 
Nginx 0.8.x 安装手册
Nginx 0.8.x 安装手册Nginx 0.8.x 安装手册
Nginx 0.8.x 安装手册
Yiwei Ma
 

What's hot (20)

Perl web app 테스트전략
Perl web app 테스트전략Perl web app 테스트전략
Perl web app 테스트전략
 
AnsibleではじめるNW設定の自動化について - Cisco(VIRL)編 -
AnsibleではじめるNW設定の自動化について - Cisco(VIRL)編 -AnsibleではじめるNW設定の自動化について - Cisco(VIRL)編 -
AnsibleではじめるNW設定の自動化について - Cisco(VIRL)編 -
 
Url
UrlUrl
Url
 
Error Log (PSpice)
Error Log (PSpice)Error Log (PSpice)
Error Log (PSpice)
 
PGDay.Amsterdam 2018 - Stefan Fercot - Save your data with pgBackRest
PGDay.Amsterdam 2018 - Stefan Fercot - Save your data with pgBackRestPGDay.Amsterdam 2018 - Stefan Fercot - Save your data with pgBackRest
PGDay.Amsterdam 2018 - Stefan Fercot - Save your data with pgBackRest
 
Fun with Ruby and Cocoa
Fun with Ruby and CocoaFun with Ruby and Cocoa
Fun with Ruby and Cocoa
 
Cloud-Native Sling
Cloud-Native SlingCloud-Native Sling
Cloud-Native Sling
 
Oracle数据库日志满导致错误
Oracle数据库日志满导致错误Oracle数据库日志满导致错误
Oracle数据库日志满导致错误
 
Drupal and Open shift (and php)
Drupal and Open shift (and php)Drupal and Open shift (and php)
Drupal and Open shift (and php)
 
Oracle RDBMS Workshop (Part1)
Oracle RDBMS Workshop (Part1)Oracle RDBMS Workshop (Part1)
Oracle RDBMS Workshop (Part1)
 
Adventures in infrastructure as code
Adventures in infrastructure as codeAdventures in infrastructure as code
Adventures in infrastructure as code
 
Medicine show2 Drupal Bristol Camp 2015
Medicine show2 Drupal Bristol Camp 2015Medicine show2 Drupal Bristol Camp 2015
Medicine show2 Drupal Bristol Camp 2015
 
WordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটি
WordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটিWordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটি
WordPress Security - ওয়ার্ডপ্রেসের সিকিউরিটি
 
2005_Structures and functions of Makefile
2005_Structures and functions of Makefile2005_Structures and functions of Makefile
2005_Structures and functions of Makefile
 
Jmx capture
Jmx captureJmx capture
Jmx capture
 
Ruby Postgres
Ruby PostgresRuby Postgres
Ruby Postgres
 
톰캣 #05+b-root-deployment
톰캣 #05+b-root-deployment톰캣 #05+b-root-deployment
톰캣 #05+b-root-deployment
 
Vladimir Vorontsov - Splitting, smuggling and cache poisoning come back
Vladimir Vorontsov - Splitting, smuggling and cache poisoning come backVladimir Vorontsov - Splitting, smuggling and cache poisoning come back
Vladimir Vorontsov - Splitting, smuggling and cache poisoning come back
 
PHPerのためのPerl入門@ Kansai.pm#12
PHPerのためのPerl入門@ Kansai.pm#12PHPerのためのPerl入門@ Kansai.pm#12
PHPerのためのPerl入門@ Kansai.pm#12
 
Nginx 0.8.x 安装手册
Nginx 0.8.x 安装手册Nginx 0.8.x 安装手册
Nginx 0.8.x 安装手册
 

Viewers also liked

HDFS & MapReduce
HDFS & MapReduceHDFS & MapReduce
HDFS & MapReduce
Skillspeed
 

Viewers also liked (20)

05 integrate redis
05 integrate redis05 integrate redis
05 integrate redis
 
HDFS & MapReduce
HDFS & MapReduceHDFS & MapReduce
HDFS & MapReduce
 
Functional Programming for OO Programmers (part 2)
Functional Programming for OO Programmers (part 2)Functional Programming for OO Programmers (part 2)
Functional Programming for OO Programmers (part 2)
 
Spark手把手:[e2-spk-s04]
Spark手把手:[e2-spk-s04]Spark手把手:[e2-spk-s04]
Spark手把手:[e2-spk-s04]
 
Scala+RDD
Scala+RDDScala+RDD
Scala+RDD
 
Run Your First Hadoop 2.x Program
Run Your First Hadoop 2.x ProgramRun Your First Hadoop 2.x Program
Run Your First Hadoop 2.x Program
 
Getting started with Apache Spark
Getting started with Apache SparkGetting started with Apache Spark
Getting started with Apache Spark
 
ScalaTrainings
ScalaTrainingsScalaTrainings
ScalaTrainings
 
Scala+spark 2nd
Scala+spark 2ndScala+spark 2nd
Scala+spark 2nd
 
Functional Programming for OO Programmers (part 1)
Functional Programming for OO Programmers (part 1)Functional Programming for OO Programmers (part 1)
Functional Programming for OO Programmers (part 1)
 
手把手帶你學Docker 03042017
手把手帶你學Docker 03042017手把手帶你學Docker 03042017
手把手帶你學Docker 03042017
 
Spark徹底入門 #cwt2015
Spark徹底入門 #cwt2015Spark徹底入門 #cwt2015
Spark徹底入門 #cwt2015
 
Scala meetup - Intro to spark
Scala meetup - Intro to sparkScala meetup - Intro to spark
Scala meetup - Intro to spark
 
Hadoop on Docker
Hadoop on DockerHadoop on Docker
Hadoop on Docker
 
Learn Hadoop Administration
Learn Hadoop AdministrationLearn Hadoop Administration
Learn Hadoop Administration
 
Big Data Day LA 2016/ Hadoop/ Spark/ Kafka track - Real-time Aggregations, Ap...
Big Data Day LA 2016/ Hadoop/ Spark/ Kafka track - Real-time Aggregations, Ap...Big Data Day LA 2016/ Hadoop/ Spark/ Kafka track - Real-time Aggregations, Ap...
Big Data Day LA 2016/ Hadoop/ Spark/ Kafka track - Real-time Aggregations, Ap...
 
February 2016 HUG: Running Spark Clusters in Containers with Docker
February 2016 HUG: Running Spark Clusters in Containers with DockerFebruary 2016 HUG: Running Spark Clusters in Containers with Docker
February 2016 HUG: Running Spark Clusters in Containers with Docker
 
Apache Spark超入門 (Hadoop / Spark Conference Japan 2016 講演資料)
Apache Spark超入門 (Hadoop / Spark Conference Japan 2016 講演資料)Apache Spark超入門 (Hadoop / Spark Conference Japan 2016 講演資料)
Apache Spark超入門 (Hadoop / Spark Conference Japan 2016 講演資料)
 
Hadoop on-mesos
Hadoop on-mesosHadoop on-mesos
Hadoop on-mesos
 
Big-data analytics: challenges and opportunities
Big-data analytics: challenges and opportunitiesBig-data analytics: challenges and opportunities
Big-data analytics: challenges and opportunities
 

Similar to Spark手把手:[e2-spk-s02]

Railsconf2011 deployment tips_for_slideshare
Railsconf2011 deployment tips_for_slideshareRailsconf2011 deployment tips_for_slideshare
Railsconf2011 deployment tips_for_slideshare
tomcopeland
 
EF09-Installing-Alfresco-components-1-by-1.pdf
EF09-Installing-Alfresco-components-1-by-1.pdfEF09-Installing-Alfresco-components-1-by-1.pdf
EF09-Installing-Alfresco-components-1-by-1.pdf
DangGonz
 

Similar to Spark手把手:[e2-spk-s02] (20)

Hudi: Large-Scale, Near Real-Time Pipelines at Uber with Nishith Agarwal and ...
Hudi: Large-Scale, Near Real-Time Pipelines at Uber with Nishith Agarwal and ...Hudi: Large-Scale, Near Real-Time Pipelines at Uber with Nishith Agarwal and ...
Hudi: Large-Scale, Near Real-Time Pipelines at Uber with Nishith Agarwal and ...
 
Deploying Plone and Volto, the Hard Way
Deploying Plone and Volto, the Hard WayDeploying Plone and Volto, the Hard Way
Deploying Plone and Volto, the Hard Way
 
🐲 Here be Stacktraces — Flink SQL for Non-Java Developers
🐲 Here be Stacktraces — Flink SQL for Non-Java Developers🐲 Here be Stacktraces — Flink SQL for Non-Java Developers
🐲 Here be Stacktraces — Flink SQL for Non-Java Developers
 
PuppetConf 2017: Use Puppet to Tame the Dockerfile Monster- Bryan Belanger, A...
PuppetConf 2017: Use Puppet to Tame the Dockerfile Monster- Bryan Belanger, A...PuppetConf 2017: Use Puppet to Tame the Dockerfile Monster- Bryan Belanger, A...
PuppetConf 2017: Use Puppet to Tame the Dockerfile Monster- Bryan Belanger, A...
 
Ember background basics
Ember background basicsEmber background basics
Ember background basics
 
All I Need to Know I Learned by Writing My Own Web Framework
All I Need to Know I Learned by Writing My Own Web FrameworkAll I Need to Know I Learned by Writing My Own Web Framework
All I Need to Know I Learned by Writing My Own Web Framework
 
Railsconf2011 deployment tips_for_slideshare
Railsconf2011 deployment tips_for_slideshareRailsconf2011 deployment tips_for_slideshare
Railsconf2011 deployment tips_for_slideshare
 
Great Developers Steal
Great Developers StealGreat Developers Steal
Great Developers Steal
 
OSGi framework overview
OSGi framework overviewOSGi framework overview
OSGi framework overview
 
Final Report - Spark
Final Report - SparkFinal Report - Spark
Final Report - Spark
 
Hadoop meetup : HUGFR Construire le cluster le plus rapide pour l'analyse des...
Hadoop meetup : HUGFR Construire le cluster le plus rapide pour l'analyse des...Hadoop meetup : HUGFR Construire le cluster le plus rapide pour l'analyse des...
Hadoop meetup : HUGFR Construire le cluster le plus rapide pour l'analyse des...
 
Symfony CMF - PHP Conference Brazil 2011
Symfony CMF - PHP Conference Brazil 2011Symfony CMF - PHP Conference Brazil 2011
Symfony CMF - PHP Conference Brazil 2011
 
파이썬 개발환경 구성하기의 끝판왕 - Docker Compose
파이썬 개발환경 구성하기의 끝판왕 - Docker Compose파이썬 개발환경 구성하기의 끝판왕 - Docker Compose
파이썬 개발환경 구성하기의 끝판왕 - Docker Compose
 
EF09-Installing-Alfresco-components-1-by-1.pdf
EF09-Installing-Alfresco-components-1-by-1.pdfEF09-Installing-Alfresco-components-1-by-1.pdf
EF09-Installing-Alfresco-components-1-by-1.pdf
 
Dependency Management in C++ (NDC TechTown 2021)
Dependency Management in C++ (NDC TechTown 2021)Dependency Management in C++ (NDC TechTown 2021)
Dependency Management in C++ (NDC TechTown 2021)
 
Centos config
Centos configCentos config
Centos config
 
Apache Spark - Dataframes & Spark SQL - Part 2 | Big Data Hadoop Spark Tutori...
Apache Spark - Dataframes & Spark SQL - Part 2 | Big Data Hadoop Spark Tutori...Apache Spark - Dataframes & Spark SQL - Part 2 | Big Data Hadoop Spark Tutori...
Apache Spark - Dataframes & Spark SQL - Part 2 | Big Data Hadoop Spark Tutori...
 
Apache Spark Workshop
Apache Spark WorkshopApache Spark Workshop
Apache Spark Workshop
 
Configuration Surgery with Augeas
Configuration Surgery with AugeasConfiguration Surgery with Augeas
Configuration Surgery with Augeas
 
Augeas @RMLL 2012
Augeas @RMLL 2012Augeas @RMLL 2012
Augeas @RMLL 2012
 

More from Erhwen Kuo

More from Erhwen Kuo (19)

Datacon 2019-ksql-kubernetes-prometheus
Datacon 2019-ksql-kubernetes-prometheusDatacon 2019-ksql-kubernetes-prometheus
Datacon 2019-ksql-kubernetes-prometheus
 
Cncf k8s Ingress Example-03
Cncf k8s Ingress Example-03Cncf k8s Ingress Example-03
Cncf k8s Ingress Example-03
 
Cncf k8s Ingress Example-02
Cncf k8s Ingress Example-02Cncf k8s Ingress Example-02
Cncf k8s Ingress Example-02
 
Cncf k8s Ingress Example-01
Cncf k8s Ingress Example-01Cncf k8s Ingress Example-01
Cncf k8s Ingress Example-01
 
Cncf k8s_network_03 (Ingress introduction)
Cncf k8s_network_03 (Ingress introduction)Cncf k8s_network_03 (Ingress introduction)
Cncf k8s_network_03 (Ingress introduction)
 
Cncf k8s_network_02
Cncf k8s_network_02Cncf k8s_network_02
Cncf k8s_network_02
 
Cncf k8s_network_part1
Cncf k8s_network_part1Cncf k8s_network_part1
Cncf k8s_network_part1
 
Cncf explore k8s_api_go
Cncf explore k8s_api_goCncf explore k8s_api_go
Cncf explore k8s_api_go
 
CNCF explore k8s api using java client
CNCF explore k8s api using java clientCNCF explore k8s api using java client
CNCF explore k8s api using java client
 
CNCF explore k8s_api
CNCF explore k8s_apiCNCF explore k8s_api
CNCF explore k8s_api
 
Cncf Istio introduction
Cncf Istio introductionCncf Istio introduction
Cncf Istio introduction
 
TDEA 2018 Kafka EOS (Exactly-once)
TDEA 2018 Kafka EOS (Exactly-once)TDEA 2018 Kafka EOS (Exactly-once)
TDEA 2018 Kafka EOS (Exactly-once)
 
啟動你的AI工匠魂
啟動你的AI工匠魂啟動你的AI工匠魂
啟動你的AI工匠魂
 
Realtime analytics with Flink and Druid
Realtime analytics with Flink and DruidRealtime analytics with Flink and Druid
Realtime analytics with Flink and Druid
 
06 integrate elasticsearch
06 integrate elasticsearch06 integrate elasticsearch
06 integrate elasticsearch
 
04 integrate entityframework
04 integrate entityframework04 integrate entityframework
04 integrate entityframework
 
03 integrate webapisignalr
03 integrate webapisignalr03 integrate webapisignalr
03 integrate webapisignalr
 
02 integrate highchart
02 integrate highchart02 integrate highchart
02 integrate highchart
 
01 startoff angularjs
01 startoff angularjs01 startoff angularjs
01 startoff angularjs
 

Recently uploaded

Integrated Test Rig For HTFE-25 - Neometrix
Integrated Test Rig For HTFE-25 - NeometrixIntegrated Test Rig For HTFE-25 - Neometrix
Integrated Test Rig For HTFE-25 - Neometrix
Neometrix_Engineering_Pvt_Ltd
 
Call Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort Service
Call Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort ServiceCall Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort Service
Call Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort Service
9953056974 Low Rate Call Girls In Saket, Delhi NCR
 
VIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 Booking
VIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 BookingVIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 Booking
VIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 Booking
dharasingh5698
 
Top Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoor
Top Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoorTop Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoor
Top Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoor
dharasingh5698
 
XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
ssuser89054b
 
Cara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak Hamil
Cara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak HamilCara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak Hamil
Cara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak Hamil
Cara Menggugurkan Kandungan 087776558899
 

Recently uploaded (20)

Bhosari ( Call Girls ) Pune 6297143586 Hot Model With Sexy Bhabi Ready For ...
Bhosari ( Call Girls ) Pune  6297143586  Hot Model With Sexy Bhabi Ready For ...Bhosari ( Call Girls ) Pune  6297143586  Hot Model With Sexy Bhabi Ready For ...
Bhosari ( Call Girls ) Pune 6297143586 Hot Model With Sexy Bhabi Ready For ...
 
Integrated Test Rig For HTFE-25 - Neometrix
Integrated Test Rig For HTFE-25 - NeometrixIntegrated Test Rig For HTFE-25 - Neometrix
Integrated Test Rig For HTFE-25 - Neometrix
 
Navigating Complexity: The Role of Trusted Partners and VIAS3D in Dassault Sy...
Navigating Complexity: The Role of Trusted Partners and VIAS3D in Dassault Sy...Navigating Complexity: The Role of Trusted Partners and VIAS3D in Dassault Sy...
Navigating Complexity: The Role of Trusted Partners and VIAS3D in Dassault Sy...
 
Minimum and Maximum Modes of microprocessor 8086
Minimum and Maximum Modes of microprocessor 8086Minimum and Maximum Modes of microprocessor 8086
Minimum and Maximum Modes of microprocessor 8086
 
chapter 5.pptx: drainage and irrigation engineering
chapter 5.pptx: drainage and irrigation engineeringchapter 5.pptx: drainage and irrigation engineering
chapter 5.pptx: drainage and irrigation engineering
 
Call Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort Service
Call Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort ServiceCall Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort Service
Call Girls in Ramesh Nagar Delhi 💯 Call Us 🔝9953056974 🔝 Escort Service
 
Thermal Engineering Unit - I & II . ppt
Thermal Engineering  Unit - I & II . pptThermal Engineering  Unit - I & II . ppt
Thermal Engineering Unit - I & II . ppt
 
VIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 Booking
VIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 BookingVIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 Booking
VIP Call Girls Palanpur 7001035870 Whatsapp Number, 24/07 Booking
 
Hazard Identification (HAZID) vs. Hazard and Operability (HAZOP): A Comparati...
Hazard Identification (HAZID) vs. Hazard and Operability (HAZOP): A Comparati...Hazard Identification (HAZID) vs. Hazard and Operability (HAZOP): A Comparati...
Hazard Identification (HAZID) vs. Hazard and Operability (HAZOP): A Comparati...
 
2016EF22_0 solar project report rooftop projects
2016EF22_0 solar project report rooftop projects2016EF22_0 solar project report rooftop projects
2016EF22_0 solar project report rooftop projects
 
Work-Permit-Receiver-in-Saudi-Aramco.pptx
Work-Permit-Receiver-in-Saudi-Aramco.pptxWork-Permit-Receiver-in-Saudi-Aramco.pptx
Work-Permit-Receiver-in-Saudi-Aramco.pptx
 
data_management_and _data_science_cheat_sheet.pdf
data_management_and _data_science_cheat_sheet.pdfdata_management_and _data_science_cheat_sheet.pdf
data_management_and _data_science_cheat_sheet.pdf
 
Employee leave management system project.
Employee leave management system project.Employee leave management system project.
Employee leave management system project.
 
University management System project report..pdf
University management System project report..pdfUniversity management System project report..pdf
University management System project report..pdf
 
Top Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoor
Top Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoorTop Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoor
Top Rated Call Girls In chittoor 📱 {7001035870} VIP Escorts chittoor
 
DC MACHINE-Motoring and generation, Armature circuit equation
DC MACHINE-Motoring and generation, Armature circuit equationDC MACHINE-Motoring and generation, Armature circuit equation
DC MACHINE-Motoring and generation, Armature circuit equation
 
COST-EFFETIVE and Energy Efficient BUILDINGS ptx
COST-EFFETIVE  and Energy Efficient BUILDINGS ptxCOST-EFFETIVE  and Energy Efficient BUILDINGS ptx
COST-EFFETIVE and Energy Efficient BUILDINGS ptx
 
(INDIRA) Call Girl Meerut Call Now 8617697112 Meerut Escorts 24x7
(INDIRA) Call Girl Meerut Call Now 8617697112 Meerut Escorts 24x7(INDIRA) Call Girl Meerut Call Now 8617697112 Meerut Escorts 24x7
(INDIRA) Call Girl Meerut Call Now 8617697112 Meerut Escorts 24x7
 
XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
 
Cara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak Hamil
Cara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak HamilCara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak Hamil
Cara Menggugurkan Sperma Yang Masuk Rahim Biyar Tidak Hamil
 

Spark手把手:[e2-spk-s02]