SlideShare a Scribd company logo
1 of 35
Big Data Pipelines for Hadoop
Costin Leau

@costinl – SpringSource/VMware
Agenda

 Spring Ecosystem
 Spring Hadoop
 • Simplifying Hadoop programming
 Use Cases
 • Configuring and invoking Hadoop in your applications
 • Event-driven applications
 • Hadoop based workflows

                        Applications (Reporting/Web/…)

                                                  Analytics
                     Data         Structured
                   Collection        Data


                                  Data copy
                                                 MapReduce
                                    HDFS
                                                              3
Spring Ecosystem

 Spring Framework
 • Widely deployed Apache 2.0 open source application framework
   • “More than two thirds of Java developers are either using Spring today or plan to do so
     within the next 2 years.“ – Evans Data Corp (2012)
 • Project started in 2003
 • Features: Web MVC, REST, Transactions, JDBC/ORM, Messaging, JMX
 • Consistent programming and configuration model
 • Core Values – “simple but powerful’
   • Provide a POJO programming model
   • Allow developers to focus on business logic, not infrastructure concerns
   • Enable testability
 Family of projects
 • Spring Security • Spring Integration
 • Spring Data       • Spring Batch
                     • Spring Hadoop (NEW!)
                                                                                               4
Relationship of Spring Projects



              Spring Batch

        On and Off Hadoop workflows


           Spring Integration
                                          Spring
          Event-driven applications       Hadoop

                                        Simplify Hadoop
               Spring Data                programming

       Redis, MongoDB, Neo4j, Gemfire



           Spring Framework

        Web, Messaging Applications



                                                          5
Spring Hadoop

 Simplify creating Hadoop applications
 • Provides structure through a declarative configuration model
 • Parameterization based on through placeholders and an expression language
 • Support for environment profiles
 Start small and grow
 Features – Milestone 1
 • Create, configure and execute all type of Hadoop jobs
   • MR, Streaming, Hive, Pig, Cascading
 • Client side Hadoop configuration and templating
 • Easy HDFS, FsShell, DistCp operations though JVM scripting
 • Use Spring Integration to create event-driven applications around Hadoop
 • Spring Batch integration
   • Hadoop jobs and HDFS operations can be part of workflow



                                                                               6
Configuring and invoking Hadoop in your
              applications
          Simplifying Hadoop Programming




                                           7
Hello World – Use from command line

 Running a parameterized job from the command line
applicationContext.xml
<context:property-placeholder location="hadoop-${env}.properties"/>

<hdp:configuration>
fs.default.name=${hd.fs}
</hdp:configuration>

<hdp:job id="word-count-job"
         input-path=“${input.path}"
         output-path="${output.path}"
         mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper"
         reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/>

<bean id="runner" class="org.springframework.data.hadoop.mapreduce.JobRunner"
                  p:jobs-ref="word-count-job"/>

hadoop-dev.properties
input.path=/user/gutenberg/input/word/
output.path=/user/gutenberg/output/word/
hd.fs=hdfs://localhost:9000

java –Denv=dev –jar SpringLauncher.jar applicationContext.xml

                                                                                8
Hello World – Use in an application

 Use Dependency Injection to obtain reference to Hadoop Job
    • Perform additional runtime configuration and submit
public class WordService {

    @Inject
    private Job mapReduceJob;

    public void processWords() {
      mapReduceJob.submit();
    }
}




                                                               9
Hive

 Create a Hive Server and Thrift Client
<hive-server port="${hive.port}" >
  someproperty=somevalue
  hive.exec.scratchdir=/tmp/mydir
</hive-server/>

<hive-client host="${hive.host}" port="${hive.port}"/>b

 Create Hive JDBC Client and use with Spring JdbcTemplate
 • No need for connection/statement/resultset resource management
<bean id="hive-driver" class="org.apache.hadoop.hive.jdbc.HiveDriver"/>

<bean id="hive-ds"
      class="org.springframework.jdbc.datasource.SimpleDriverDataSource"
      c:driver-ref="hive-driver" c:url="${hive.url}"/>

<bean id="template" class="org.springframework.jdbc.core.JdbcTemplate"
      c:data-source-ref="hive-ds"/>



String result = jdbcTemplate.query("show tables", new ResultSetExtractor<String>() {
      public String extractData(ResultSet rs) throws SQLException, DataAccessException {
        // extract data from result set
      }
});


                                                                                           10
Pig

 Create a Pig Server with properties and specify scripts to run
 • Default is mapreduce mode
<pig job-name="pigJob" properties-location="pig.properties">
   pig.tmpfilecompression=true
   pig.exec.nocombiner=true

   <script location="org/company/pig/script.pig">
     <arguments>electric=sea</arguments>
   </script>

   <script>
     A = LOAD 'src/test/resources/logs/apache_access.log' USING PigStorage() AS
(name:chararray, age:int);
     B = FOREACH A GENERATE name;
     DUMP B;
   </script>
</pig>




                                                                                  11
HDFS and FileSystem (FS) shell operations
                                 <hdp:script id="inlined-groovy" language=“groovy">
 Use Spring File System Shell
                                 name = UUID.randomUUID().toString()
  API to invoke familiar         scriptName = "src/test/resources/test.properties"
                                 fs.copyFromLocalFile(scriptName, name)
  “bin/hadoop fs” commands
                                 // use the shell (made available under variable fsh)
  • mkdir, chmod, ..             dir = "script-dir"
                                 if (!fsh.test(dir)) {
 Call using Java or JVM            fsh.mkdir(dir); fsh.cp(name, dir); fsh.chmod(700, dir)
                                 }
  scripting languages            println fsh.ls(dir).toString()
                                 fsh.rmr(dir)
 Variable replacement inside    <hdp:script/>
  scripts

                                 <script id="inlined-js" language="javascript">

                                 importPackage(java.util);
                                 importPackage(org.apache.hadoop.fs);
 Use FileSystem API to call     println("${hd.fs}")
  copyFromFocalFile              name = UUID.randomUUID().toString()
                                 scriptName = "src/test/resources/test.properties“
                                 // use the file system (made available under variable fs)
                                 fs.copyFromLocalFile(scriptName, name)
                                 // return the file length
                                 fs.getLength(name)

                                 </script>
                                                                                         12
Hadoop DistributedCache

 Distribute and cache
  • Files to Hadoop nodes
  • Add them to the classpath of the child-jvm
<cache create-symlink="true">
  <classpath value="/cp/some-library.jar#library.jar" />
  <classpath value="/cp/some-zip.zip" />
  <cache value="/cache/some-archive.tgz#main-archive" />
  <cache value="/cache/some-resource.res" />
</cache>




                                                           13
Cascading

 Spring supports a type safe, Java based configuration model
 Alternative or complement to XML
 Good fit for Cascading configuration
@Configuration
public class CascadingConfig {
    @Value("${cascade.sec}") private String sec;

    @Bean public Pipe tsPipe() {
        DateParser dateParser = new DateParser(new Fields("ts"),
                 "dd/MMM/yyyy:HH:mm:ss Z");
        return new Each("arrival rate", new Fields("time"), dateParser);
    }

    @Bean public Pipe tsCountPipe() {
        Pipe tsCountPipe = new Pipe("tsCount", tsPipe());
        tsCountPipe = new GroupBy(tsCountPipe, new Fields("ts"));
    }
}


<bean class="org.springframework.data.hadoop.cascading.CascadingConfig "/>

<bean id="cascade"
    class="org.springframework.data.hadoop.cascading.HadoopFlowFactoryBean"
    p:configuration-ref="hadoop-configuration" p:tail-ref="tsCountPipe" />



                                                                              14
Mixing Technologies
Simplifying Hadoop Programming




                                 15
Hello World + Scheduling

 Schedule a job in a standalone or web application
  • Support for Spring Scheduler and Quartz Scheduler
 Submit a job every ten minutes
  • Use PathUtil’s helper class to generate time based output directory
    • e.g. /user/gutenberg/results/2011/2/29/10/20

<task:scheduler id="myScheduler"/>

<task:scheduled-tasks scheduler="myScheduler">
   <task:scheduled ref=“mapReduceJob" method=“submit" cron="10 * * * * *"/>
</task:scheduled-tasks>

<hdp:job id="mapReduceJob" scope=“prototype"
         input-path="${input.path}"
         output-path="#{@pathUtils.getTimeBasedPathFromRoot()}"
         mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper"
         reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/>

<bean name="pathUtils" class="org.springframework.data.hadoop.PathUtils"
                       p:rootPath="/user/gutenberg/results"/>




                                                                              16
Hello World + MongoDB

 Combine Hadoop and MongoDB in a single application
    • Increment a counter in a MongoDB document for each user runnning a job
    • Submit Hadoop job
<hdp:job id="mapReduceJob"
         input-path="${input.path}" output-path="${output.path}"
         mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper"
         reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/>

<mongo:mongo host=“${mongo.host}" port=“${mongo.port}"/>

<bean id="mongoTemplate" class="org.springframework.data.mongodb.core.MongoTemplate">
 <constructor-arg ref="mongo"/>
 <constructor-arg name="databaseName" value=“wcPeople"/>
</bean>

public class WordService {

    @Inject private Job mapReduceJob;
    @Inject private MongoTemplate mongoTemplate;

    public void processWords(String userName) {

        mongoTemplate.upsert(query(where(“userName”).is(userName)), update().inc(“wc”,1), “userColl”);

        mapReduceJob.submit();
    }
}

                                                                                                         17
Event-driven applications
   Simplifying Hadoop Programming




                                    18
Enterprise Application Integration (EAI)

 EAI Starts with Messaging
 Why Messaging
 •Logical Decoupling
 •Physical Decoupling
 • Producer and Consumer are not aware of one
   another
 Easy to build event-driven applications
 • Integration between existing and new applications
 • Pipes and Filter based architecture




                                                       19
Pipes and Filters Architecture

 Endpoints are connected through Channels and exchange Messages




    File
  Producer
  Endpoint
    JMS                                              Consumer
                                                     Endpoint
                                                       TCP
                                                      Route

                             Channel

 $> cat foo.txt | grep the | while read l; do echo $l ; done




                                                                20
Spring Integration Components

 Channels                       Adapters
 • Point-to-Point                • File, FTP/SFTP
 • Publish-Subscribe             • Email, Web Services, HTTP
 • Optionally persisted by a     • TCP/UDP, JMS/AMQP
  MessageStore                   • Atom, Twitter, XMPP
 Message Operations             • JDBC, JPA
 • Router, Transformer           • MongoDB, Redis
 • Filter, Resequencer           • Spring Batch
 • Splitter, Aggregator          • Tail, syslogd, HDFS
                                 Management
                                 • JMX
                                 • Control Bus




                                                               21
Spring Integration

 Implementation of Enterprise Integration Patterns
 • Mature, since 2007
 • Apache 2.0 License
 Separates integration concerns from processing logic
 • Framework handles message reception and method invocation
   • e.g. Polling vs. Event-driven
 • Endpoints written as POJOs
   • Increases testability




   Endpoint                                                    Endpoint




                                                                          22
Spring Integration – Polling Log File example

   Poll a directory for files, files are rolled over every 10 seconds.
   Copy files to staging area
   Copy files to HDFS
   Use an aggregator to wait for “all 6 files in 1 minute interval” to
    launch MR job




                                                                          23
Spring Integration – Configuration and Tooling

 Behind the scenes, configuration is XML or Scala DSL based
  <!-- copy from input to staging -->
  <file:inbound-channel-adapter id="filesInAdapter" channel="filInChannel"
                                directory="#{systemProperties['user.home']}/input">
      <integration:poller fixed-rate="5000"/>
  </file:inbound-channel-adapter>

 Integration with Eclipse




                                                                                      24
Spring Integration – Streaming data from a Log File

   Tail the contents of a file
   Transformer categorizes messages
   Route to specific channels based on category
   One route leads to HDFS write and filtered data stored in Redis




                                                                      25
Spring Integration – Multi-node log file example

 Spread log collection across multiple machines
 Use TCP Adapters
 • Retries after connection failure
   • Error channel gets a message in case of failure
 • Can startup when application starts or be controlled via Control Bus
   • Send(“@tcpOutboundAdapter.retryConnection()”), or stop, start, isConnected.




                                                                                   26
Hadoop Based Workflows
   Simplifying Hadoop Programming




                                    27
Spring Batch

 Enables development of customized enterprise batch applications
 essential to a company’s daily operation
 Extensible Batch architecture framework
 • First of its kind in JEE space, Mature, since 2007, Apache 2.0 license
 • Developed by SpringSource and Accenture
   • Make it easier to repeatedly build quality batch jobs that employ best practices
 • Reusable out of box components
   • Parsers, Mappers, Readers, Processors, Writers, Validation Language
 • Support batch centric features
   •   Automatic retries after failure
   •   Partial processing, skipping records
   •   Periodic commits
   •   Workflow – Job of Steps – directed graph, parallel step execution, tracking, restart, …
 • Administrative features – Command Line/REST/End-user Web App
 • Unit and Integration test friendly

                                                                                                 28
Off Hadoop Workflows

 Client, Scheduler, or SI calls job launcher
   to start job execution
 Job is an application component
   representing a batch process
 Job contains a sequence of steps.
   • Steps can execute sequentially, non-
     sequentially, in parallel
   • Job of jobs also supported
 Job repository stores execution metadata
 Steps can contain item processing flow
<step id="step1">
   <tasklet>
      <chunk reader="flatFileItemReader" processor="itemProcessor" writer=“jdbcItemWriter"
              commit-interval="100" retry-limit="3"/>
      </chunk>
   </tasklet>
</step>

 Listeners for Job/Step/Item processing
                                                                                             29
Off Hadoop Workflows

 Client, Scheduler, or SI calls job launcher
   to start job execution
 Job is an application component
   representing a batch process
 Job contains a sequence of steps.
   • Steps can execute sequentially, non-
     sequentially, in parallel
   • Job of jobs also supported
 Job repository stores execution metadata
 Steps can contain item processing flow
<step id="step1">
   <tasklet>
      <chunk reader="flatFileItemReader" processor="itemProcessor" writer=“mongoItemWriter"
              commit-interval="100" retry-limit="3"/>
      </chunk>
   </tasklet>
</step>

 Listeners for Job/Step/Item processing
                                                                                              30
Off Hadoop Workflows

 Client, Scheduler, or SI calls job launcher
   to start job execution
 Job is an application component
   representing a batch process
 Job contains a sequence of steps.
   • Steps can execute sequentially, non-
     sequentially, in parallel
   • Job of jobs also supported
 Job repository stores execution metadata
 Steps can contain item processing flow
<step id="step1">
   <tasklet>
      <chunk reader="flatFileItemReader" processor="itemProcessor" writer=“hdfsItemWriter"
              commit-interval="100" retry-limit="3"/>
      </chunk>
   </tasklet>
</step>

 Listeners for Job/Step/Item processing
                                                                                             31
On Hadoop Workflows


 Reuse same infrastructure for
  Hadoop based workflows




                                       HDFS


                                       PIG


 Step can any Hadoop job type
                                  MR          Hive
  or HDFS operation


                                       HDFS

                                                     32
Spring Batch Configuration
                             <job id="job1">
                               <step id="import" next="wordcount">
                                 <tasklet ref=“import-tasklet"/>
                               </step>

                              <step id="wordcount" next="pig">
                                <tasklet ref="wordcount-tasklet" />
                              </step>

                              <step id="pig">
                                <tasklet ref="pig-tasklet"
                              </step>

                              <split id="parallel" next="hdfs">
                                <flow>
                                  <step id="mrStep">
                                    <tasklet ref="mr-tasklet"/>
                                  </step>
                                </flow>
                                <flow>
                                  <step id="hive">
                                    <tasklet ref="hive-tasklet"/>
                                  </step>
                                </flow>
                              </split>

                               <step id="hdfs">
                                 <tasklet ref="hdfs-tasklet"/>
                               </step>
                             </job>

                                                                      33
Spring Batch Configuration

 Additional XML configuration behind the graph
 Reuse previous Hadoop job definitions
 • Start small, grow

<script-tasklet id=“import-tasklet">
  <script location="clean-up-wordcount.groovy"/>
</script-tasklet>

<tasklet id="wordcount-tasklet" job-ref="wordcount-job"/>

<job id=“wordcount-job" scope=“prototype"
     input-path="${input.path}"
     output-path="#{@pathUtils.getTimeBasedPathFromRoot()}"
     mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper"
     reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/>

<pig-tasklet id="pig-tasklet">
  <script location="org/company/pig/handsome.pig" />
</pig-tasklet>


<hive-tasklet id="hive-script">
  <script location="org/springframework/data/hadoop/hive/script.q" />
</hive-tasklet>



                                                                        34
Questions

   At milestone 1 – welcome feedback
   Project Page: http://www.springsource.org/spring-data/hadoop
   Source Code: https://github.com/SpringSource/spring-hadoop
   Forum: http://forum.springsource.org/forumdisplay.php?87-Hadoop
   Issue Tracker: https://jira.springsource.org/browse/SHDP
   Blog: http://blog.springsource.org/2012/02/29/introducing-spring-
    hadoop/
 Books




                                                                        35
Q&A

@costinl




           36

More Related Content

What's hot

Introduction to the Hadoop Ecosystem (SEACON Edition)
Introduction to the Hadoop Ecosystem (SEACON Edition)Introduction to the Hadoop Ecosystem (SEACON Edition)
Introduction to the Hadoop Ecosystem (SEACON Edition)Uwe Printz
 
Debugging Hive with Hadoop-in-the-Cloud by David Chaiken of Altiscale
Debugging Hive with Hadoop-in-the-Cloud by David Chaiken of AltiscaleDebugging Hive with Hadoop-in-the-Cloud by David Chaiken of Altiscale
Debugging Hive with Hadoop-in-the-Cloud by David Chaiken of AltiscaleData Con LA
 
Introduction to Apache Hive
Introduction to Apache HiveIntroduction to Apache Hive
Introduction to Apache HiveAvkash Chauhan
 
Hadoop - Overview
Hadoop - OverviewHadoop - Overview
Hadoop - OverviewJay
 
Qubole @ AWS Meetup Bangalore - July 2015
Qubole @ AWS Meetup Bangalore - July 2015Qubole @ AWS Meetup Bangalore - July 2015
Qubole @ AWS Meetup Bangalore - July 2015Joydeep Sen Sarma
 
Hive vs Pig for HadoopSourceCodeReading
Hive vs Pig for HadoopSourceCodeReadingHive vs Pig for HadoopSourceCodeReading
Hive vs Pig for HadoopSourceCodeReadingMitsuharu Hamba
 
Hive Anatomy
Hive AnatomyHive Anatomy
Hive Anatomynzhang
 
SF Big Analytics meetup : Hoodie From Uber
SF Big Analytics meetup : Hoodie  From UberSF Big Analytics meetup : Hoodie  From Uber
SF Big Analytics meetup : Hoodie From UberChester Chen
 
Introduction to Apache Drill - interactive query and analysis at scale
Introduction to Apache Drill - interactive query and analysis at scaleIntroduction to Apache Drill - interactive query and analysis at scale
Introduction to Apache Drill - interactive query and analysis at scaleMapR Technologies
 
Getting started with Hadoop, Hive, and Elastic MapReduce
Getting started with Hadoop, Hive, and Elastic MapReduceGetting started with Hadoop, Hive, and Elastic MapReduce
Getting started with Hadoop, Hive, and Elastic MapReduceobdit
 
Hortonworks.Cluster Config Guide
Hortonworks.Cluster Config GuideHortonworks.Cluster Config Guide
Hortonworks.Cluster Config GuideDouglas Bernardini
 
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 ...Databricks
 
Amebaサービスのログ解析基盤
Amebaサービスのログ解析基盤Amebaサービスのログ解析基盤
Amebaサービスのログ解析基盤Toshihiro Suzuki
 
Drilling into Data with Apache Drill
Drilling into Data with Apache DrillDrilling into Data with Apache Drill
Drilling into Data with Apache DrillMapR Technologies
 
Data Pipelines in Hadoop - SAP Meetup in Tel Aviv
Data Pipelines in Hadoop - SAP Meetup in Tel Aviv Data Pipelines in Hadoop - SAP Meetup in Tel Aviv
Data Pipelines in Hadoop - SAP Meetup in Tel Aviv larsgeorge
 
Facebooks Petabyte Scale Data Warehouse using Hive and Hadoop
Facebooks Petabyte Scale Data Warehouse using Hive and HadoopFacebooks Petabyte Scale Data Warehouse using Hive and Hadoop
Facebooks Petabyte Scale Data Warehouse using Hive and Hadooproyans
 

What's hot (20)

Introduction to the Hadoop Ecosystem (SEACON Edition)
Introduction to the Hadoop Ecosystem (SEACON Edition)Introduction to the Hadoop Ecosystem (SEACON Edition)
Introduction to the Hadoop Ecosystem (SEACON Edition)
 
Debugging Hive with Hadoop-in-the-Cloud by David Chaiken of Altiscale
Debugging Hive with Hadoop-in-the-Cloud by David Chaiken of AltiscaleDebugging Hive with Hadoop-in-the-Cloud by David Chaiken of Altiscale
Debugging Hive with Hadoop-in-the-Cloud by David Chaiken of Altiscale
 
Introduction to Apache Hive
Introduction to Apache HiveIntroduction to Apache Hive
Introduction to Apache Hive
 
Hadoop - Overview
Hadoop - OverviewHadoop - Overview
Hadoop - Overview
 
BIG DATA ANALYSIS
BIG DATA ANALYSISBIG DATA ANALYSIS
BIG DATA ANALYSIS
 
Qubole @ AWS Meetup Bangalore - July 2015
Qubole @ AWS Meetup Bangalore - July 2015Qubole @ AWS Meetup Bangalore - July 2015
Qubole @ AWS Meetup Bangalore - July 2015
 
Hive vs Pig for HadoopSourceCodeReading
Hive vs Pig for HadoopSourceCodeReadingHive vs Pig for HadoopSourceCodeReading
Hive vs Pig for HadoopSourceCodeReading
 
Hive Anatomy
Hive AnatomyHive Anatomy
Hive Anatomy
 
SF Big Analytics meetup : Hoodie From Uber
SF Big Analytics meetup : Hoodie  From UberSF Big Analytics meetup : Hoodie  From Uber
SF Big Analytics meetup : Hoodie From Uber
 
Introduction to Apache Drill - interactive query and analysis at scale
Introduction to Apache Drill - interactive query and analysis at scaleIntroduction to Apache Drill - interactive query and analysis at scale
Introduction to Apache Drill - interactive query and analysis at scale
 
Intro To Hadoop
Intro To HadoopIntro To Hadoop
Intro To Hadoop
 
Getting started with Hadoop, Hive, and Elastic MapReduce
Getting started with Hadoop, Hive, and Elastic MapReduceGetting started with Hadoop, Hive, and Elastic MapReduce
Getting started with Hadoop, Hive, and Elastic MapReduce
 
Hortonworks.Cluster Config Guide
Hortonworks.Cluster Config GuideHortonworks.Cluster Config Guide
Hortonworks.Cluster Config Guide
 
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 ...
 
Amebaサービスのログ解析基盤
Amebaサービスのログ解析基盤Amebaサービスのログ解析基盤
Amebaサービスのログ解析基盤
 
Drilling into Data with Apache Drill
Drilling into Data with Apache DrillDrilling into Data with Apache Drill
Drilling into Data with Apache Drill
 
Data Pipelines in Hadoop - SAP Meetup in Tel Aviv
Data Pipelines in Hadoop - SAP Meetup in Tel Aviv Data Pipelines in Hadoop - SAP Meetup in Tel Aviv
Data Pipelines in Hadoop - SAP Meetup in Tel Aviv
 
Hadoop sqoop
Hadoop sqoop Hadoop sqoop
Hadoop sqoop
 
Facebooks Petabyte Scale Data Warehouse using Hive and Hadoop
Facebooks Petabyte Scale Data Warehouse using Hive and HadoopFacebooks Petabyte Scale Data Warehouse using Hive and Hadoop
Facebooks Petabyte Scale Data Warehouse using Hive and Hadoop
 
Hadoop Primer
Hadoop PrimerHadoop Primer
Hadoop Primer
 

Viewers also liked

Real-Time Data Pipelines with Kafka, Spark, and Operational Databases
Real-Time Data Pipelines with Kafka, Spark, and Operational DatabasesReal-Time Data Pipelines with Kafka, Spark, and Operational Databases
Real-Time Data Pipelines with Kafka, Spark, and Operational DatabasesSingleStore
 
Spark Streaming & Kafka-The Future of Stream Processing
Spark Streaming & Kafka-The Future of Stream ProcessingSpark Streaming & Kafka-The Future of Stream Processing
Spark Streaming & Kafka-The Future of Stream ProcessingJack Gudenkauf
 
Strata NY 2014 - Architectural considerations for Hadoop applications tutorial
Strata NY 2014 - Architectural considerations for Hadoop applications tutorialStrata NY 2014 - Architectural considerations for Hadoop applications tutorial
Strata NY 2014 - Architectural considerations for Hadoop applications tutorialhadooparchbook
 
Breakout: Hadoop and the Operational Data Store
Breakout: Hadoop and the Operational Data StoreBreakout: Hadoop and the Operational Data Store
Breakout: Hadoop and the Operational Data StoreCloudera, Inc.
 
Architectural Patterns for Streaming Applications
Architectural Patterns for Streaming ApplicationsArchitectural Patterns for Streaming Applications
Architectural Patterns for Streaming Applicationshadooparchbook
 
Strata EU tutorial - Architectural considerations for hadoop applications
Strata EU tutorial - Architectural considerations for hadoop applicationsStrata EU tutorial - Architectural considerations for hadoop applications
Strata EU tutorial - Architectural considerations for hadoop applicationshadooparchbook
 
Application Architectures with Hadoop - UK Hadoop User Group
Application Architectures with Hadoop - UK Hadoop User GroupApplication Architectures with Hadoop - UK Hadoop User Group
Application Architectures with Hadoop - UK Hadoop User Grouphadooparchbook
 
Application Architectures with Hadoop
Application Architectures with HadoopApplication Architectures with Hadoop
Application Architectures with Hadoophadooparchbook
 
Hadoop Application Architectures tutorial - Strata London
Hadoop Application Architectures tutorial - Strata LondonHadoop Application Architectures tutorial - Strata London
Hadoop Application Architectures tutorial - Strata Londonhadooparchbook
 
Application Architectures with Hadoop
Application Architectures with HadoopApplication Architectures with Hadoop
Application Architectures with Hadoophadooparchbook
 
Chicago Data Summit: Flume: An Introduction
Chicago Data Summit: Flume: An IntroductionChicago Data Summit: Flume: An Introduction
Chicago Data Summit: Flume: An IntroductionCloudera, Inc.
 
Hadoop - Integration Patterns and Practices__HadoopSummit2010
Hadoop - Integration Patterns and Practices__HadoopSummit2010Hadoop - Integration Patterns and Practices__HadoopSummit2010
Hadoop - Integration Patterns and Practices__HadoopSummit2010Yahoo Developer Network
 
Keynote: The Journey to Pervasive Analytics
Keynote: The Journey to Pervasive AnalyticsKeynote: The Journey to Pervasive Analytics
Keynote: The Journey to Pervasive AnalyticsCloudera, Inc.
 
Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...
Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...
Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...Cloudera, Inc.
 
Deploying Apache Flume to enable low-latency analytics
Deploying Apache Flume to enable low-latency analyticsDeploying Apache Flume to enable low-latency analytics
Deploying Apache Flume to enable low-latency analyticsDataWorks Summit
 
Designing a reactive data platform: Challenges, patterns, and anti-patterns
Designing a reactive data platform: Challenges, patterns, and anti-patterns Designing a reactive data platform: Challenges, patterns, and anti-patterns
Designing a reactive data platform: Challenges, patterns, and anti-patterns Alex Silva
 
Architectural considerations for Hadoop Applications
Architectural considerations for Hadoop ApplicationsArchitectural considerations for Hadoop Applications
Architectural considerations for Hadoop Applicationshadooparchbook
 
Hadoop Application Architectures tutorial at Big DataService 2015
Hadoop Application Architectures tutorial at Big DataService 2015Hadoop Application Architectures tutorial at Big DataService 2015
Hadoop Application Architectures tutorial at Big DataService 2015hadooparchbook
 
Hadoop Application Architectures - Fraud Detection
Hadoop Application Architectures - Fraud  DetectionHadoop Application Architectures - Fraud  Detection
Hadoop Application Architectures - Fraud Detectionhadooparchbook
 
Part 2 - Hadoop Data Loading using Hadoop Tools and ODI12c
Part 2 - Hadoop Data Loading using Hadoop Tools and ODI12cPart 2 - Hadoop Data Loading using Hadoop Tools and ODI12c
Part 2 - Hadoop Data Loading using Hadoop Tools and ODI12cMark Rittman
 

Viewers also liked (20)

Real-Time Data Pipelines with Kafka, Spark, and Operational Databases
Real-Time Data Pipelines with Kafka, Spark, and Operational DatabasesReal-Time Data Pipelines with Kafka, Spark, and Operational Databases
Real-Time Data Pipelines with Kafka, Spark, and Operational Databases
 
Spark Streaming & Kafka-The Future of Stream Processing
Spark Streaming & Kafka-The Future of Stream ProcessingSpark Streaming & Kafka-The Future of Stream Processing
Spark Streaming & Kafka-The Future of Stream Processing
 
Strata NY 2014 - Architectural considerations for Hadoop applications tutorial
Strata NY 2014 - Architectural considerations for Hadoop applications tutorialStrata NY 2014 - Architectural considerations for Hadoop applications tutorial
Strata NY 2014 - Architectural considerations for Hadoop applications tutorial
 
Breakout: Hadoop and the Operational Data Store
Breakout: Hadoop and the Operational Data StoreBreakout: Hadoop and the Operational Data Store
Breakout: Hadoop and the Operational Data Store
 
Architectural Patterns for Streaming Applications
Architectural Patterns for Streaming ApplicationsArchitectural Patterns for Streaming Applications
Architectural Patterns for Streaming Applications
 
Strata EU tutorial - Architectural considerations for hadoop applications
Strata EU tutorial - Architectural considerations for hadoop applicationsStrata EU tutorial - Architectural considerations for hadoop applications
Strata EU tutorial - Architectural considerations for hadoop applications
 
Application Architectures with Hadoop - UK Hadoop User Group
Application Architectures with Hadoop - UK Hadoop User GroupApplication Architectures with Hadoop - UK Hadoop User Group
Application Architectures with Hadoop - UK Hadoop User Group
 
Application Architectures with Hadoop
Application Architectures with HadoopApplication Architectures with Hadoop
Application Architectures with Hadoop
 
Hadoop Application Architectures tutorial - Strata London
Hadoop Application Architectures tutorial - Strata LondonHadoop Application Architectures tutorial - Strata London
Hadoop Application Architectures tutorial - Strata London
 
Application Architectures with Hadoop
Application Architectures with HadoopApplication Architectures with Hadoop
Application Architectures with Hadoop
 
Chicago Data Summit: Flume: An Introduction
Chicago Data Summit: Flume: An IntroductionChicago Data Summit: Flume: An Introduction
Chicago Data Summit: Flume: An Introduction
 
Hadoop - Integration Patterns and Practices__HadoopSummit2010
Hadoop - Integration Patterns and Practices__HadoopSummit2010Hadoop - Integration Patterns and Practices__HadoopSummit2010
Hadoop - Integration Patterns and Practices__HadoopSummit2010
 
Keynote: The Journey to Pervasive Analytics
Keynote: The Journey to Pervasive AnalyticsKeynote: The Journey to Pervasive Analytics
Keynote: The Journey to Pervasive Analytics
 
Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...
Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...
Hadoop World 2011: Storing and Indexing Social Media Content in the Hadoop Ec...
 
Deploying Apache Flume to enable low-latency analytics
Deploying Apache Flume to enable low-latency analyticsDeploying Apache Flume to enable low-latency analytics
Deploying Apache Flume to enable low-latency analytics
 
Designing a reactive data platform: Challenges, patterns, and anti-patterns
Designing a reactive data platform: Challenges, patterns, and anti-patterns Designing a reactive data platform: Challenges, patterns, and anti-patterns
Designing a reactive data platform: Challenges, patterns, and anti-patterns
 
Architectural considerations for Hadoop Applications
Architectural considerations for Hadoop ApplicationsArchitectural considerations for Hadoop Applications
Architectural considerations for Hadoop Applications
 
Hadoop Application Architectures tutorial at Big DataService 2015
Hadoop Application Architectures tutorial at Big DataService 2015Hadoop Application Architectures tutorial at Big DataService 2015
Hadoop Application Architectures tutorial at Big DataService 2015
 
Hadoop Application Architectures - Fraud Detection
Hadoop Application Architectures - Fraud  DetectionHadoop Application Architectures - Fraud  Detection
Hadoop Application Architectures - Fraud Detection
 
Part 2 - Hadoop Data Loading using Hadoop Tools and ODI12c
Part 2 - Hadoop Data Loading using Hadoop Tools and ODI12cPart 2 - Hadoop Data Loading using Hadoop Tools and ODI12c
Part 2 - Hadoop Data Loading using Hadoop Tools and ODI12c
 

Similar to How to develop Big Data Pipelines for Hadoop, by Costin Leau

Windows Azure HDInsight Service
Windows Azure HDInsight ServiceWindows Azure HDInsight Service
Windows Azure HDInsight ServiceNeil Mackenzie
 
Spring data iii
Spring data iiiSpring data iii
Spring data iii명철 강
 
Learn to setup a Hadoop Multi Node Cluster
Learn to setup a Hadoop Multi Node ClusterLearn to setup a Hadoop Multi Node Cluster
Learn to setup a Hadoop Multi Node ClusterEdureka!
 
Building Hadoop Data Applications with Kite
Building Hadoop Data Applications with KiteBuilding Hadoop Data Applications with Kite
Building Hadoop Data Applications with Kitehuguk
 
July 2010 Triangle Hadoop Users Group - Chad Vawter Slides
July 2010 Triangle Hadoop Users Group - Chad Vawter SlidesJuly 2010 Triangle Hadoop Users Group - Chad Vawter Slides
July 2010 Triangle Hadoop Users Group - Chad Vawter Slidesryancox
 
The new static resources framework
The new static resources frameworkThe new static resources framework
The new static resources frameworkmarcplmer
 
Power Hadoop Cluster with AWS Cloud
Power Hadoop Cluster with AWS CloudPower Hadoop Cluster with AWS Cloud
Power Hadoop Cluster with AWS CloudEdureka!
 
Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011
Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011
Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011Jonathan Seidman
 
Sparkling Water
Sparkling WaterSparkling Water
Sparkling Waterh2oworld
 
nodejs_at_a_glance.ppt
nodejs_at_a_glance.pptnodejs_at_a_glance.ppt
nodejs_at_a_glance.pptWalaSidhom1
 
Hadoop online training
Hadoop online trainingHadoop online training
Hadoop online trainingsrikanthhadoop
 
Burn down the silos! Helping dev and ops gel on high availability websites
Burn down the silos! Helping dev and ops gel on high availability websitesBurn down the silos! Helping dev and ops gel on high availability websites
Burn down the silos! Helping dev and ops gel on high availability websitesLindsay Holmwood
 
Hadoop online training by certified trainer
Hadoop online training by certified trainerHadoop online training by certified trainer
Hadoop online training by certified trainersriram0233
 
Gradle: The Build system you have been waiting for
Gradle: The Build system you have been waiting forGradle: The Build system you have been waiting for
Gradle: The Build system you have been waiting forCorneil du Plessis
 
Playing with Hadoop (NPW2013)
Playing with Hadoop (NPW2013)Playing with Hadoop (NPW2013)
Playing with Hadoop (NPW2013)Søren Lund
 

Similar to How to develop Big Data Pipelines for Hadoop, by Costin Leau (20)

Windows Azure HDInsight Service
Windows Azure HDInsight ServiceWindows Azure HDInsight Service
Windows Azure HDInsight Service
 
Spring data iii
Spring data iiiSpring data iii
Spring data iii
 
06 pig-01-intro
06 pig-01-intro06 pig-01-intro
06 pig-01-intro
 
October 2013 HUG: Oozie 4.x
October 2013 HUG: Oozie 4.xOctober 2013 HUG: Oozie 4.x
October 2013 HUG: Oozie 4.x
 
Learn to setup a Hadoop Multi Node Cluster
Learn to setup a Hadoop Multi Node ClusterLearn to setup a Hadoop Multi Node Cluster
Learn to setup a Hadoop Multi Node Cluster
 
מיכאל
מיכאלמיכאל
מיכאל
 
Big Data Journey
Big Data JourneyBig Data Journey
Big Data Journey
 
Building Hadoop Data Applications with Kite
Building Hadoop Data Applications with KiteBuilding Hadoop Data Applications with Kite
Building Hadoop Data Applications with Kite
 
July 2010 Triangle Hadoop Users Group - Chad Vawter Slides
July 2010 Triangle Hadoop Users Group - Chad Vawter SlidesJuly 2010 Triangle Hadoop Users Group - Chad Vawter Slides
July 2010 Triangle Hadoop Users Group - Chad Vawter Slides
 
The new static resources framework
The new static resources frameworkThe new static resources framework
The new static resources framework
 
Power Hadoop Cluster with AWS Cloud
Power Hadoop Cluster with AWS CloudPower Hadoop Cluster with AWS Cloud
Power Hadoop Cluster with AWS Cloud
 
Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011
Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011
Data Analysis with Hadoop and Hive, ChicagoDB 2/21/2011
 
Sparkling Water
Sparkling WaterSparkling Water
Sparkling Water
 
Hadoop 설치
Hadoop 설치Hadoop 설치
Hadoop 설치
 
nodejs_at_a_glance.ppt
nodejs_at_a_glance.pptnodejs_at_a_glance.ppt
nodejs_at_a_glance.ppt
 
Hadoop online training
Hadoop online trainingHadoop online training
Hadoop online training
 
Burn down the silos! Helping dev and ops gel on high availability websites
Burn down the silos! Helping dev and ops gel on high availability websitesBurn down the silos! Helping dev and ops gel on high availability websites
Burn down the silos! Helping dev and ops gel on high availability websites
 
Hadoop online training by certified trainer
Hadoop online training by certified trainerHadoop online training by certified trainer
Hadoop online training by certified trainer
 
Gradle: The Build system you have been waiting for
Gradle: The Build system you have been waiting forGradle: The Build system you have been waiting for
Gradle: The Build system you have been waiting for
 
Playing with Hadoop (NPW2013)
Playing with Hadoop (NPW2013)Playing with Hadoop (NPW2013)
Playing with Hadoop (NPW2013)
 

More from Codemotion

Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...Codemotion
 
Pompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending storyPompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending storyCodemotion
 
Pastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storiaPastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storiaCodemotion
 
Pennisi - Essere Richard Altwasser
Pennisi - Essere Richard AltwasserPennisi - Essere Richard Altwasser
Pennisi - Essere Richard AltwasserCodemotion
 
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...Codemotion
 
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019Codemotion
 
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019Codemotion
 
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 - Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 - Codemotion
 
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...Codemotion
 
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...Codemotion
 
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...Codemotion
 
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...Codemotion
 
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019Codemotion
 
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019Codemotion
 
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019Codemotion
 
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...Codemotion
 
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...Codemotion
 
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019Codemotion
 
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019Codemotion
 
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019Codemotion
 

More from Codemotion (20)

Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
 
Pompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending storyPompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending story
 
Pastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storiaPastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storia
 
Pennisi - Essere Richard Altwasser
Pennisi - Essere Richard AltwasserPennisi - Essere Richard Altwasser
Pennisi - Essere Richard Altwasser
 
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
 
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
 
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
 
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 - Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
 
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
 
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
 
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
 
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
 
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
 
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
 
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
 
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
 
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
 
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
 
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
 
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
 

Recently uploaded

Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...gurkirankumar98700
 
Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Paola De la Torre
 
Presentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreterPresentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreternaman860154
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking MenDelhi Call girls
 
Swan(sea) Song – personal research during my six years at Swansea ... and bey...
Swan(sea) Song – personal research during my six years at Swansea ... and bey...Swan(sea) Song – personal research during my six years at Swansea ... and bey...
Swan(sea) Song – personal research during my six years at Swansea ... and bey...Alan Dix
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityPrincipled Technologies
 
Google AI Hackathon: LLM based Evaluator for RAG
Google AI Hackathon: LLM based Evaluator for RAGGoogle AI Hackathon: LLM based Evaluator for RAG
Google AI Hackathon: LLM based Evaluator for RAGSujit Pal
 
How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonetsnaman860154
 
My Hashitalk Indonesia April 2024 Presentation
My Hashitalk Indonesia April 2024 PresentationMy Hashitalk Indonesia April 2024 Presentation
My Hashitalk Indonesia April 2024 PresentationRidwan Fadjar
 
Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...
Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...
Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...HostedbyConfluent
 
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdfThe Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdfEnterprise Knowledge
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptxHampshireHUG
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slidevu2urc
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Servicegiselly40
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Igalia
 
Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Allon Mureinik
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024Rafal Los
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationMichael W. Hawkins
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationRadu Cotescu
 
Maximizing Board Effectiveness 2024 Webinar.pptx
Maximizing Board Effectiveness 2024 Webinar.pptxMaximizing Board Effectiveness 2024 Webinar.pptx
Maximizing Board Effectiveness 2024 Webinar.pptxOnBoard
 

Recently uploaded (20)

Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
Kalyanpur ) Call Girls in Lucknow Finest Escorts Service 🍸 8923113531 🎰 Avail...
 
Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101
 
Presentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreterPresentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreter
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
 
Swan(sea) Song – personal research during my six years at Swansea ... and bey...
Swan(sea) Song – personal research during my six years at Swansea ... and bey...Swan(sea) Song – personal research during my six years at Swansea ... and bey...
Swan(sea) Song – personal research during my six years at Swansea ... and bey...
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivity
 
Google AI Hackathon: LLM based Evaluator for RAG
Google AI Hackathon: LLM based Evaluator for RAGGoogle AI Hackathon: LLM based Evaluator for RAG
Google AI Hackathon: LLM based Evaluator for RAG
 
How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonets
 
My Hashitalk Indonesia April 2024 Presentation
My Hashitalk Indonesia April 2024 PresentationMy Hashitalk Indonesia April 2024 Presentation
My Hashitalk Indonesia April 2024 Presentation
 
Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...
Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...
Transforming Data Streams with Kafka Connect: An Introduction to Single Messa...
 
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdfThe Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slide
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Service
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
 
Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day Presentation
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organization
 
Maximizing Board Effectiveness 2024 Webinar.pptx
Maximizing Board Effectiveness 2024 Webinar.pptxMaximizing Board Effectiveness 2024 Webinar.pptx
Maximizing Board Effectiveness 2024 Webinar.pptx
 

How to develop Big Data Pipelines for Hadoop, by Costin Leau

  • 1. Big Data Pipelines for Hadoop Costin Leau @costinl – SpringSource/VMware
  • 2. Agenda  Spring Ecosystem  Spring Hadoop • Simplifying Hadoop programming  Use Cases • Configuring and invoking Hadoop in your applications • Event-driven applications • Hadoop based workflows Applications (Reporting/Web/…) Analytics Data Structured Collection Data Data copy MapReduce HDFS 3
  • 3. Spring Ecosystem  Spring Framework • Widely deployed Apache 2.0 open source application framework • “More than two thirds of Java developers are either using Spring today or plan to do so within the next 2 years.“ – Evans Data Corp (2012) • Project started in 2003 • Features: Web MVC, REST, Transactions, JDBC/ORM, Messaging, JMX • Consistent programming and configuration model • Core Values – “simple but powerful’ • Provide a POJO programming model • Allow developers to focus on business logic, not infrastructure concerns • Enable testability  Family of projects • Spring Security • Spring Integration • Spring Data • Spring Batch • Spring Hadoop (NEW!) 4
  • 4. Relationship of Spring Projects Spring Batch On and Off Hadoop workflows Spring Integration Spring Event-driven applications Hadoop Simplify Hadoop Spring Data programming Redis, MongoDB, Neo4j, Gemfire Spring Framework Web, Messaging Applications 5
  • 5. Spring Hadoop  Simplify creating Hadoop applications • Provides structure through a declarative configuration model • Parameterization based on through placeholders and an expression language • Support for environment profiles  Start small and grow  Features – Milestone 1 • Create, configure and execute all type of Hadoop jobs • MR, Streaming, Hive, Pig, Cascading • Client side Hadoop configuration and templating • Easy HDFS, FsShell, DistCp operations though JVM scripting • Use Spring Integration to create event-driven applications around Hadoop • Spring Batch integration • Hadoop jobs and HDFS operations can be part of workflow 6
  • 6. Configuring and invoking Hadoop in your applications Simplifying Hadoop Programming 7
  • 7. Hello World – Use from command line  Running a parameterized job from the command line applicationContext.xml <context:property-placeholder location="hadoop-${env}.properties"/> <hdp:configuration> fs.default.name=${hd.fs} </hdp:configuration> <hdp:job id="word-count-job" input-path=“${input.path}" output-path="${output.path}" mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper" reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/> <bean id="runner" class="org.springframework.data.hadoop.mapreduce.JobRunner" p:jobs-ref="word-count-job"/> hadoop-dev.properties input.path=/user/gutenberg/input/word/ output.path=/user/gutenberg/output/word/ hd.fs=hdfs://localhost:9000 java –Denv=dev –jar SpringLauncher.jar applicationContext.xml 8
  • 8. Hello World – Use in an application  Use Dependency Injection to obtain reference to Hadoop Job • Perform additional runtime configuration and submit public class WordService { @Inject private Job mapReduceJob; public void processWords() { mapReduceJob.submit(); } } 9
  • 9. Hive  Create a Hive Server and Thrift Client <hive-server port="${hive.port}" > someproperty=somevalue hive.exec.scratchdir=/tmp/mydir </hive-server/> <hive-client host="${hive.host}" port="${hive.port}"/>b  Create Hive JDBC Client and use with Spring JdbcTemplate • No need for connection/statement/resultset resource management <bean id="hive-driver" class="org.apache.hadoop.hive.jdbc.HiveDriver"/> <bean id="hive-ds" class="org.springframework.jdbc.datasource.SimpleDriverDataSource" c:driver-ref="hive-driver" c:url="${hive.url}"/> <bean id="template" class="org.springframework.jdbc.core.JdbcTemplate" c:data-source-ref="hive-ds"/> String result = jdbcTemplate.query("show tables", new ResultSetExtractor<String>() { public String extractData(ResultSet rs) throws SQLException, DataAccessException { // extract data from result set } }); 10
  • 10. Pig  Create a Pig Server with properties and specify scripts to run • Default is mapreduce mode <pig job-name="pigJob" properties-location="pig.properties"> pig.tmpfilecompression=true pig.exec.nocombiner=true <script location="org/company/pig/script.pig"> <arguments>electric=sea</arguments> </script> <script> A = LOAD 'src/test/resources/logs/apache_access.log' USING PigStorage() AS (name:chararray, age:int); B = FOREACH A GENERATE name; DUMP B; </script> </pig> 11
  • 11. HDFS and FileSystem (FS) shell operations <hdp:script id="inlined-groovy" language=“groovy">  Use Spring File System Shell name = UUID.randomUUID().toString() API to invoke familiar scriptName = "src/test/resources/test.properties" fs.copyFromLocalFile(scriptName, name) “bin/hadoop fs” commands // use the shell (made available under variable fsh) • mkdir, chmod, .. dir = "script-dir" if (!fsh.test(dir)) {  Call using Java or JVM fsh.mkdir(dir); fsh.cp(name, dir); fsh.chmod(700, dir) } scripting languages println fsh.ls(dir).toString() fsh.rmr(dir)  Variable replacement inside <hdp:script/> scripts <script id="inlined-js" language="javascript"> importPackage(java.util); importPackage(org.apache.hadoop.fs);  Use FileSystem API to call println("${hd.fs}") copyFromFocalFile name = UUID.randomUUID().toString() scriptName = "src/test/resources/test.properties“ // use the file system (made available under variable fs) fs.copyFromLocalFile(scriptName, name) // return the file length fs.getLength(name) </script> 12
  • 12. Hadoop DistributedCache  Distribute and cache • Files to Hadoop nodes • Add them to the classpath of the child-jvm <cache create-symlink="true"> <classpath value="/cp/some-library.jar#library.jar" /> <classpath value="/cp/some-zip.zip" /> <cache value="/cache/some-archive.tgz#main-archive" /> <cache value="/cache/some-resource.res" /> </cache> 13
  • 13. Cascading  Spring supports a type safe, Java based configuration model  Alternative or complement to XML  Good fit for Cascading configuration @Configuration public class CascadingConfig { @Value("${cascade.sec}") private String sec; @Bean public Pipe tsPipe() { DateParser dateParser = new DateParser(new Fields("ts"), "dd/MMM/yyyy:HH:mm:ss Z"); return new Each("arrival rate", new Fields("time"), dateParser); } @Bean public Pipe tsCountPipe() { Pipe tsCountPipe = new Pipe("tsCount", tsPipe()); tsCountPipe = new GroupBy(tsCountPipe, new Fields("ts")); } } <bean class="org.springframework.data.hadoop.cascading.CascadingConfig "/> <bean id="cascade" class="org.springframework.data.hadoop.cascading.HadoopFlowFactoryBean" p:configuration-ref="hadoop-configuration" p:tail-ref="tsCountPipe" /> 14
  • 15. Hello World + Scheduling  Schedule a job in a standalone or web application • Support for Spring Scheduler and Quartz Scheduler  Submit a job every ten minutes • Use PathUtil’s helper class to generate time based output directory • e.g. /user/gutenberg/results/2011/2/29/10/20 <task:scheduler id="myScheduler"/> <task:scheduled-tasks scheduler="myScheduler"> <task:scheduled ref=“mapReduceJob" method=“submit" cron="10 * * * * *"/> </task:scheduled-tasks> <hdp:job id="mapReduceJob" scope=“prototype" input-path="${input.path}" output-path="#{@pathUtils.getTimeBasedPathFromRoot()}" mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper" reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/> <bean name="pathUtils" class="org.springframework.data.hadoop.PathUtils" p:rootPath="/user/gutenberg/results"/> 16
  • 16. Hello World + MongoDB  Combine Hadoop and MongoDB in a single application • Increment a counter in a MongoDB document for each user runnning a job • Submit Hadoop job <hdp:job id="mapReduceJob" input-path="${input.path}" output-path="${output.path}" mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper" reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/> <mongo:mongo host=“${mongo.host}" port=“${mongo.port}"/> <bean id="mongoTemplate" class="org.springframework.data.mongodb.core.MongoTemplate"> <constructor-arg ref="mongo"/> <constructor-arg name="databaseName" value=“wcPeople"/> </bean> public class WordService { @Inject private Job mapReduceJob; @Inject private MongoTemplate mongoTemplate; public void processWords(String userName) { mongoTemplate.upsert(query(where(“userName”).is(userName)), update().inc(“wc”,1), “userColl”); mapReduceJob.submit(); } } 17
  • 17. Event-driven applications Simplifying Hadoop Programming 18
  • 18. Enterprise Application Integration (EAI)  EAI Starts with Messaging  Why Messaging •Logical Decoupling •Physical Decoupling • Producer and Consumer are not aware of one another  Easy to build event-driven applications • Integration between existing and new applications • Pipes and Filter based architecture 19
  • 19. Pipes and Filters Architecture  Endpoints are connected through Channels and exchange Messages File Producer Endpoint JMS Consumer Endpoint TCP Route Channel $> cat foo.txt | grep the | while read l; do echo $l ; done 20
  • 20. Spring Integration Components  Channels  Adapters • Point-to-Point • File, FTP/SFTP • Publish-Subscribe • Email, Web Services, HTTP • Optionally persisted by a • TCP/UDP, JMS/AMQP MessageStore • Atom, Twitter, XMPP  Message Operations • JDBC, JPA • Router, Transformer • MongoDB, Redis • Filter, Resequencer • Spring Batch • Splitter, Aggregator • Tail, syslogd, HDFS  Management • JMX • Control Bus 21
  • 21. Spring Integration  Implementation of Enterprise Integration Patterns • Mature, since 2007 • Apache 2.0 License  Separates integration concerns from processing logic • Framework handles message reception and method invocation • e.g. Polling vs. Event-driven • Endpoints written as POJOs • Increases testability Endpoint Endpoint 22
  • 22. Spring Integration – Polling Log File example  Poll a directory for files, files are rolled over every 10 seconds.  Copy files to staging area  Copy files to HDFS  Use an aggregator to wait for “all 6 files in 1 minute interval” to launch MR job 23
  • 23. Spring Integration – Configuration and Tooling  Behind the scenes, configuration is XML or Scala DSL based <!-- copy from input to staging --> <file:inbound-channel-adapter id="filesInAdapter" channel="filInChannel" directory="#{systemProperties['user.home']}/input"> <integration:poller fixed-rate="5000"/> </file:inbound-channel-adapter>  Integration with Eclipse 24
  • 24. Spring Integration – Streaming data from a Log File  Tail the contents of a file  Transformer categorizes messages  Route to specific channels based on category  One route leads to HDFS write and filtered data stored in Redis 25
  • 25. Spring Integration – Multi-node log file example  Spread log collection across multiple machines  Use TCP Adapters • Retries after connection failure • Error channel gets a message in case of failure • Can startup when application starts or be controlled via Control Bus • Send(“@tcpOutboundAdapter.retryConnection()”), or stop, start, isConnected. 26
  • 26. Hadoop Based Workflows Simplifying Hadoop Programming 27
  • 27. Spring Batch  Enables development of customized enterprise batch applications essential to a company’s daily operation  Extensible Batch architecture framework • First of its kind in JEE space, Mature, since 2007, Apache 2.0 license • Developed by SpringSource and Accenture • Make it easier to repeatedly build quality batch jobs that employ best practices • Reusable out of box components • Parsers, Mappers, Readers, Processors, Writers, Validation Language • Support batch centric features • Automatic retries after failure • Partial processing, skipping records • Periodic commits • Workflow – Job of Steps – directed graph, parallel step execution, tracking, restart, … • Administrative features – Command Line/REST/End-user Web App • Unit and Integration test friendly 28
  • 28. Off Hadoop Workflows  Client, Scheduler, or SI calls job launcher to start job execution  Job is an application component representing a batch process  Job contains a sequence of steps. • Steps can execute sequentially, non- sequentially, in parallel • Job of jobs also supported  Job repository stores execution metadata  Steps can contain item processing flow <step id="step1"> <tasklet> <chunk reader="flatFileItemReader" processor="itemProcessor" writer=“jdbcItemWriter" commit-interval="100" retry-limit="3"/> </chunk> </tasklet> </step>  Listeners for Job/Step/Item processing 29
  • 29. Off Hadoop Workflows  Client, Scheduler, or SI calls job launcher to start job execution  Job is an application component representing a batch process  Job contains a sequence of steps. • Steps can execute sequentially, non- sequentially, in parallel • Job of jobs also supported  Job repository stores execution metadata  Steps can contain item processing flow <step id="step1"> <tasklet> <chunk reader="flatFileItemReader" processor="itemProcessor" writer=“mongoItemWriter" commit-interval="100" retry-limit="3"/> </chunk> </tasklet> </step>  Listeners for Job/Step/Item processing 30
  • 30. Off Hadoop Workflows  Client, Scheduler, or SI calls job launcher to start job execution  Job is an application component representing a batch process  Job contains a sequence of steps. • Steps can execute sequentially, non- sequentially, in parallel • Job of jobs also supported  Job repository stores execution metadata  Steps can contain item processing flow <step id="step1"> <tasklet> <chunk reader="flatFileItemReader" processor="itemProcessor" writer=“hdfsItemWriter" commit-interval="100" retry-limit="3"/> </chunk> </tasklet> </step>  Listeners for Job/Step/Item processing 31
  • 31. On Hadoop Workflows  Reuse same infrastructure for Hadoop based workflows HDFS PIG  Step can any Hadoop job type MR Hive or HDFS operation HDFS 32
  • 32. Spring Batch Configuration <job id="job1"> <step id="import" next="wordcount"> <tasklet ref=“import-tasklet"/> </step> <step id="wordcount" next="pig"> <tasklet ref="wordcount-tasklet" /> </step> <step id="pig"> <tasklet ref="pig-tasklet" </step> <split id="parallel" next="hdfs"> <flow> <step id="mrStep"> <tasklet ref="mr-tasklet"/> </step> </flow> <flow> <step id="hive"> <tasklet ref="hive-tasklet"/> </step> </flow> </split> <step id="hdfs"> <tasklet ref="hdfs-tasklet"/> </step> </job> 33
  • 33. Spring Batch Configuration  Additional XML configuration behind the graph  Reuse previous Hadoop job definitions • Start small, grow <script-tasklet id=“import-tasklet"> <script location="clean-up-wordcount.groovy"/> </script-tasklet> <tasklet id="wordcount-tasklet" job-ref="wordcount-job"/> <job id=“wordcount-job" scope=“prototype" input-path="${input.path}" output-path="#{@pathUtils.getTimeBasedPathFromRoot()}" mapper="org.apache.hadoop.examples.WordCount.TokenizerMapper" reducer="org.apache.hadoop.examples.WordCount.IntSumReducer"/> <pig-tasklet id="pig-tasklet"> <script location="org/company/pig/handsome.pig" /> </pig-tasklet> <hive-tasklet id="hive-script"> <script location="org/springframework/data/hadoop/hive/script.q" /> </hive-tasklet> 34
  • 34. Questions  At milestone 1 – welcome feedback  Project Page: http://www.springsource.org/spring-data/hadoop  Source Code: https://github.com/SpringSource/spring-hadoop  Forum: http://forum.springsource.org/forumdisplay.php?87-Hadoop  Issue Tracker: https://jira.springsource.org/browse/SHDP  Blog: http://blog.springsource.org/2012/02/29/introducing-spring- hadoop/  Books 35

Editor's Notes

  1. 600-700TB of data during first years.
  2. This diagram shows some of the main components in a big data pipelines.The main flows are collecting data into HDFS, analyzing that data with a combinatin of on-hadoop and off hadoop analytics.Results of analysis are copied to structured data (memcache, mysql) for analysis and consumption by applications
  3. All projects Apache 2.0Spring’s features have greatly increrased developers productivity bringing in creating applications.A family of projects have grown up around spring dedicated to providing similar productivyt gains in different application areas.
  4. Notes: all apache 2.0 projects.Can be deployed as standalone apps and web apps
  5. What you see here is a spring configuration file, can also be type safe java code.
  6. Get a PigServer instance.
  7. Get a PigServer instance.
  8. ****
  9. Why the &amp; ?runAtStartup should be false by defalut
  10. Enpoints can be message operations, transformation, adaptesr….
  11. Know there are other solutions, storm, flume, sqoop, S4,
  12. Broke up process into mulitple reusable blocks.Transformer adds data needed by aggregator to specifcy that “this is the first file of 10 for a given minute”
  13. 5 major releases.2 books
  14. Can also have a “job of jobs” so you can compose larger and larger workflows.
  15. Can also have a “job of jobs” so you can compose larger and larger workflows.
  16. Can also have a “job of jobs” so you can compose larger and larger workflows.