`
weitao1026
  • 浏览: 1048265 次
  • 性别: Icon_minigender_1
  • 来自: 上海
社区版块
存档分类
最新评论

使用Hadoop里面的MapReduce来处理海量数据

阅读更多

使用Hadoop里面的MapReduce来处理海量数据是非常简单方便的,但有时候我们的应用程序,往往需要多个MR作业,来计算结果,比如说一个最简单的使用MR提取海量搜索日志的TopN的问题,注意,这里面,其实涉及了两个MR作业,第一个是词频统计,第两个是排序求TopN,这显然是需要两个MapReduce作业来完成的。其他的还有,比如一些数据挖掘类的作业,常常需要迭代组合好几个作业才能完成,这类作业类似于DAG类的任务,各个作业之间是具有先后,或相互依赖的关系,比如说,这一个作业的输入,依赖上一个作业的输出等等。


在Hadoop里实际上提供了,JobControl类,来组合一个具有依赖关系的作业,在新版的API里,又新增了ControlledJob类,细化了任务的分配,通过这两个类,我们就可以轻松的完成类似DAG作业的模式,这样我们就可以通过一个提交来完成原来需要提交2次的任务,大大简化了任务的繁琐度。具有依赖式的作业提交后,hadoop会根据依赖的关系,先后执行的job任务,每个任务的运行都是独立的。

下面来看下散仙的例子,组合一个词频统计+排序的作业,测试数据如下:

Java代码 复制代码 收藏代码
  1. 秦东亮;72  
  2. 秦东亮;34  
  3. 秦东亮;100  
  4. 三劫;899  
  5. 三劫;32  
  6. 三劫;1  
  7. a;45  
  8. b;567  
  9. b;12  
秦东亮;72
秦东亮;34
秦东亮;100
三劫;899
三劫;32
三劫;1
a;45
b;567
b;12


代码如下:

Java代码 复制代码 收藏代码
  1. package com.qin.test.hadoop.jobctrol;  
  2.   
  3. import java.io.IOException;  
  4.   
  5. import org.apache.hadoop.fs.FileSystem;  
  6. import org.apache.hadoop.fs.Path;  
  7. import org.apache.hadoop.io.IntWritable;  
  8. import org.apache.hadoop.io.LongWritable;  
  9. import org.apache.hadoop.io.Text;  
  10. import org.apache.hadoop.io.WritableComparator;  
  11. import org.apache.hadoop.mapred.JobConf;  
  12. import org.apache.hadoop.mapreduce.Job;  
  13. import org.apache.hadoop.mapreduce.Mapper;  
  14. import org.apache.hadoop.mapreduce.Reducer;  
  15. import org.apache.hadoop.mapreduce.lib.input.FileInputFormat;  
  16. import org.apache.hadoop.mapreduce.lib.jobcontrol.ControlledJob;  
  17. import org.apache.hadoop.mapreduce.lib.jobcontrol.JobControl;  
  18. import org.apache.hadoop.mapreduce.lib.output.FileOutputFormat;  
  19.   
  20.   
  21.   
  22.   
  23. /** 
  24.  * Hadoop的版本是1.2的 
  25.  * JDK环境1.6 
  26.  * 使用ControlledJob+JobControl新版API 
  27.  * 完成组合式任务  
  28.  * 第一个任务是统计词频 
  29.  * 第二个任务是降序排序 
  30.  *  
  31.  * 如果使用MapReduce作业来完成的话,则需要跑2个MR任务 
  32.  * 但是如果我们使用了JobControl+ControlledJob就可以在 
  33.  * 一个类里面完成类型的DAG依赖式的作业 
  34.  *  
  35.  *  
  36.  * @author qindongliang 
  37.  *  
  38.  *  
  39.  *  
  40.  * ***/  
  41. public class MyHadoopControl {  
  42.       
  43.       
  44.       
  45.     /*** 
  46.      * 
  47.      *MapReduce作业1的Mapper 
  48.      * 
  49.      *LongWritable 1  代表输入的key值,默认是文本的位置偏移量 
  50.      *Text 2          每行的具体内容 
  51.      *Text 3          输出的Key类型 
  52.      *Text 4          输出的Value类型 
  53.      *  
  54.      * */  
  55.     private static class SumMapper extends Mapper<LongWritable, Text, Text, IntWritable>{  
  56.           
  57.         private Text t=new Text();  
  58.         private IntWritable one=new IntWritable(1);  
  59.           
  60.         /** 
  61.          *  
  62.          * map阶段输出词频 
  63.          *  
  64.          *  
  65.          * **/  
  66.         @Override  
  67.         protected void map(LongWritable key, Text value,Context context)  
  68.                 throws IOException, InterruptedException {  
  69.             String data=value.toString();  
  70.             String words[]=data.split(";");  
  71.           if(words[0].trim()!=null){  
  72.               t.set(" "+words[0]);//赋值K  
  73.               one.set(Integer.parseInt(words[1]));  
  74.               context.write(t, one);  
  75.           }   
  76.         }  
  77.           
  78.     }  
  79.       
  80.     /** 
  81.      * MapReduce作业1的Reducer 
  82.      * 负责词频累加,并输出 
  83.      *  
  84.      * **/  
  85.     private static class SumReduce extends Reducer<Text, IntWritable, IntWritable, Text>{  
  86.           
  87.         //存储词频对象  
  88.         private IntWritable iw=new IntWritable();  
  89.           
  90.         @Override  
  91.         protected void reduce(Text key, Iterable<IntWritable> value,Context context)  
  92.                 throws IOException, InterruptedException {  
  93.            
  94.               
  95.             int sum=0;  
  96.             for(IntWritable count:value){  
  97.                 sum+=count.get();//累加词频  
  98.             }  
  99.             iw.set(sum);//设置词频  
  100.             context.write(iw, key);//输出数据  
  101.               
  102.               
  103.               
  104.               
  105.               
  106.         }  
  107.           
  108.     }  
  109.       
  110.       
  111.     /** 
  112.      * MapReduce作业2排序的Mapper 
  113.      *  
  114.      * **/  
  115.     private static class SortMapper  extends Mapper<LongWritable, Text, IntWritable, Text>{  
  116.           
  117.           
  118.         IntWritable iw=new IntWritable();//存储词频  
  119.         private Text t=new Text();//存储文本  
  120.         @Override  
  121.         protected void map(LongWritable key, Text value,Context context)throws IOException, InterruptedException {  
  122.               
  123.             String words[]=value.toString().split(" ");  
  124.            System.out.println("数组的长度: "+words.length);  
  125.             System.out.println("Map读入的文本: "+value.toString());  
  126.             System.out.println("=====>  "+words[0]+"  =====>"+words[1]);  
  127.              if(words[0]!=null){  
  128.                  iw.set(Integer.parseInt(words[0].trim()));  
  129.                  t.set(words[1].trim());  
  130.                  context.write(iw, t);//map阶段输出,默认按key排序  
  131.              }  
  132.               
  133.                
  134.               
  135.         }  
  136.           
  137.           
  138.           
  139.     }  
  140.       
  141.       
  142.     /** 
  143.      * MapReduce作业2排序的Reducer 
  144.      *  
  145.      * **/  
  146.     private static class SortReduce extends Reducer<IntWritable, Text, Text, IntWritable>{  
  147.           
  148.           
  149.           
  150.         /** 
  151.          *  
  152.          * 输出排序内容 
  153.          *  
  154.          * **/  
  155.         @Override  
  156.         protected void reduce(IntWritable key, Iterable<Text> value,Context context)  
  157.                 throws IOException, InterruptedException {  
  158.            
  159.              for(Text t:value){  
  160.                  context.write(t, key);//输出排好序后的K,V  
  161.              }  
  162.               
  163.         }  
  164.           
  165.     }  
  166.       
  167.       
  168.       
  169.       
  170.     /*** 
  171.      * 排序组件,在排序作业中,需要使用 
  172.      * 按key的降序排序 
  173.      *  
  174.      * **/  
  175.         public static class DescSort extends  WritableComparator{  
  176.   
  177.              public DescSort() {  
  178.                  super(IntWritable.class,true);//注册排序组件  
  179.             }  
  180.              @Override  
  181.             public int compare(byte[] arg0, int arg1, int arg2, byte[] arg3,  
  182.                     int arg4, int arg5) {  
  183.                 return -super.compare(arg0, arg1, arg2, arg3, arg4, arg5);//注意使用负号来完成降序  
  184.             }  
  185.                
  186.              @Override  
  187.             public int compare(Object a, Object b) {  
  188.            
  189.                 return   -super.compare(a, b);//注意使用负号来完成降序  
  190.             }  
  191.               
  192.         }  
  193.       
  194.       
  195.       
  196.       
  197.       
  198.       
  199.     /** 
  200.      * 驱动类 
  201.      *  
  202.      * **/  
  203.     public static void main(String[] args)throws Exception {  
  204.       
  205.           
  206.            JobConf conf=new JobConf(MyHadoopControl.class);   
  207.            conf.set("mapred.job.tracker","192.168.75.130:9001");  
  208.            conf.setJar("tt.jar");  
  209.            
  210.          System.out.println("模式:  "+conf.get("mapred.job.tracker"));;  
  211.           
  212.           
  213.         /** 
  214.          *  
  215.          *作业1的配置 
  216.          *统计词频 
  217.          *  
  218.          * **/  
  219.         Job job1=new Job(conf,"Join1");  
  220.         job1.setJarByClass(MyHadoopControl.class);  
  221.           
  222.         job1.setMapperClass(SumMapper.class);  
  223.         job1.setReducerClass(SumReduce.class);  
  224.           
  225.         job1.setMapOutputKeyClass(Text.class);//map阶段的输出的key  
  226.         job1.setMapOutputValueClass(IntWritable.class);//map阶段的输出的value  
  227.           
  228.         job1.setOutputKeyClass(IntWritable.class);//reduce阶段的输出的key  
  229.         job1.setOutputValueClass(Text.class);//reduce阶段的输出的value  
  230.           
  231.       
  232.           
  233.         //加入控制容器  
  234.         ControlledJob ctrljob1=new  ControlledJob(conf);  
  235.         ctrljob1.setJob(job1);  
  236.           
  237.           
  238.         FileInputFormat.addInputPath(job1, new Path("hdfs://192.168.75.130:9000/root/input"));  
  239.         FileSystem fs=FileSystem.get(conf);  
  240.            
  241.          Path op=new Path("hdfs://192.168.75.130:9000/root/op");  
  242.            
  243.          if(fs.exists(op)){  
  244.              fs.delete(op, true);  
  245.              System.out.println("存在此输出路径,已删除!!!");  
  246.          }  
  247.         FileOutputFormat.setOutputPath(job1, op);  
  248.           
  249.     /**========================================================================*/  
  250.           
  251.         /** 
  252.          *  
  253.          *作业2的配置 
  254.          *排序 
  255.          *  
  256.          * **/  
  257.         Job job2=new Job(conf,"Join2");  
  258.         job2.setJarByClass(MyHadoopControl.class);  
  259.           
  260.         //job2.setInputFormatClass(TextInputFormat.class);  
  261.           
  262.           
  263.         job2.setMapperClass(SortMapper.class);  
  264.         job2.setReducerClass(SortReduce.class);  
  265.           
  266.         job2.setSortComparatorClass(DescSort.class);//按key降序排序  
  267.           
  268.         job2.setMapOutputKeyClass(IntWritable.class);//map阶段的输出的key  
  269.         job2.setMapOutputValueClass(Text.class);//map阶段的输出的value  
  270.           
  271.         job2.setOutputKeyClass(Text.class);//reduce阶段的输出的key  
  272.         job2.setOutputValueClass(IntWritable.class);//reduce阶段的输出的value  
  273.           
  274.           
  275.   
  276.         //作业2加入控制容器  
  277.         ControlledJob ctrljob2=new ControlledJob(conf);  
  278.         ctrljob2.setJob(job2);  
  279.           
  280.         /*** 
  281.          *  
  282.          * 设置多个作业直接的依赖关系 
  283.          * 如下所写: 
  284.          * 意思为job2的启动,依赖于job1作业的完成 
  285.          *  
  286.          * **/  
  287.         ctrljob2.addDependingJob(ctrljob1);  
  288.           
  289.           
  290.           
  291.         //输入路径是上一个作业的输出路径  
  292.         FileInputFormat.addInputPath(job2, new Path("hdfs://192.168.75.130:9000/root/op/part*"));  
  293.         FileSystem fs2=FileSystem.get(conf);  
  294.            
  295.          Path op2=new Path("hdfs://192.168.75.130:9000/root/op2");  
  296.          if(fs2.exists(op2)){  
  297.              fs2.delete(op2, true);  
  298.              System.out.println("存在此输出路径,已删除!!!");  
  299.          }  
  300.         FileOutputFormat.setOutputPath(job2, op2);  
  301.           
  302.         // System.exit(job2.waitForCompletion(true) ? 0 : 1);  
  303.           
  304.           
  305.           
  306.         /**====================================================================***/  
  307.           
  308.           
  309.           
  310.           
  311.           
  312.           
  313.         /** 
  314.          *  
  315.          * 主的控制容器,控制上面的总的两个子作业 
  316.          *  
  317.          * **/  
  318.         JobControl jobCtrl=new JobControl("myctrl");  
  319.         //ctrljob1.addDependingJob(ctrljob2);// job2在job1完成后,才可以启动  
  320.         //添加到总的JobControl里,进行控制  
  321.           
  322.         jobCtrl.addJob(ctrljob1);   
  323.         jobCtrl.addJob(ctrljob2);  
  324.           
  325.    
  326.         //在线程启动  
  327.         Thread  t=new Thread(jobCtrl);  
  328.         t.start();  
  329.           
  330.         while(true){  
  331.               
  332.             if(jobCtrl.allFinished()){//如果作业成功完成,就打印成功作业的信息  
  333.                 System.out.println(jobCtrl.getSuccessfulJobList());  
  334.                   
  335.                 jobCtrl.stop();  
  336.                 break;  
  337.             }  
  338.               
  339.             if(jobCtrl.getFailedJobList().size()>0){//如果作业失败,就打印失败作业的信息  
  340.                 System.out.println(jobCtrl.getFailedJobList());  
  341.                   
  342.                 jobCtrl.stop();  
  343.                 break;  
  344.             }  
  345.               
  346.         }  
  347.           
  348.           
  349.           
  350.           
  351.        
  352.           
  353.           
  354.           
  355.           
  356.           
  357.           
  358.           
  359.           
  360.           
  361.           
  362.           
  363.           
  364.           
  365.           
  366.    
  367.           
  368.           
  369.     }  
  370.       
  371.       
  372.       
  373.       
  374.   
  375. }  
package com.qin.test.hadoop.jobctrol;

import java.io.IOException;

import org.apache.hadoop.fs.FileSystem;
import org.apache.hadoop.fs.Path;
import org.apache.hadoop.io.IntWritable;
import org.apache.hadoop.io.LongWritable;
import org.apache.hadoop.io.Text;
import org.apache.hadoop.io.WritableComparator;
import org.apache.hadoop.mapred.JobConf;
import org.apache.hadoop.mapreduce.Job;
import org.apache.hadoop.mapreduce.Mapper;
import org.apache.hadoop.mapreduce.Reducer;
import org.apache.hadoop.mapreduce.lib.input.FileInputFormat;
import org.apache.hadoop.mapreduce.lib.jobcontrol.ControlledJob;
import org.apache.hadoop.mapreduce.lib.jobcontrol.JobControl;
import org.apache.hadoop.mapreduce.lib.output.FileOutputFormat;




/**
 * Hadoop的版本是1.2的
 * JDK环境1.6
 * 使用ControlledJob+JobControl新版API
 * 完成组合式任务 
 * 第一个任务是统计词频
 * 第二个任务是降序排序
 * 
 * 如果使用MapReduce作业来完成的话,则需要跑2个MR任务
 * 但是如果我们使用了JobControl+ControlledJob就可以在
 * 一个类里面完成类型的DAG依赖式的作业
 * 
 * 
 * @author qindongliang
 * 
 * 
 * 
 * ***/
public class MyHadoopControl {
	
	
	
	/***
	 *
	 *MapReduce作业1的Mapper
	 *
	 *LongWritable 1  代表输入的key值,默认是文本的位置偏移量
	 *Text 2          每行的具体内容
	 *Text 3          输出的Key类型
	 *Text 4          输出的Value类型
	 * 
	 * */
	private static class SumMapper extends Mapper<LongWritable, Text, Text, IntWritable>{
		
		private Text t=new Text();
        private IntWritable one=new IntWritable(1);
		
        /**
         * 
         * map阶段输出词频
         * 
         * 
         * **/
		@Override
		protected void map(LongWritable key, Text value,Context context)
				throws IOException, InterruptedException {
			String data=value.toString();
			String words[]=data.split(";");
		  if(words[0].trim()!=null){
			  t.set(" "+words[0]);//赋值K
			  one.set(Integer.parseInt(words[1]));
			  context.write(t, one);
		  }	
		}
		
	}
	
	/**
	 * MapReduce作业1的Reducer
	 * 负责词频累加,并输出
	 * 
	 * **/
	private static class SumReduce extends Reducer<Text, IntWritable, IntWritable, Text>{
		
		//存储词频对象
		private IntWritable iw=new IntWritable();
		
		@Override
		protected void reduce(Text key, Iterable<IntWritable> value,Context context)
				throws IOException, InterruptedException {
		 
			
			int sum=0;
			for(IntWritable count:value){
				sum+=count.get();//累加词频
			}
			iw.set(sum);//设置词频
			context.write(iw, key);//输出数据
			
			
			
			
			
		}
		
	}
	
	
	/**
	 * MapReduce作业2排序的Mapper
	 * 
	 * **/
	private static class SortMapper  extends Mapper<LongWritable, Text, IntWritable, Text>{
		
		
		IntWritable iw=new IntWritable();//存储词频
		private Text t=new Text();//存储文本
		@Override
		protected void map(LongWritable key, Text value,Context context)throws IOException, InterruptedException {
			
			String words[]=value.toString().split(" ");
		   System.out.println("数组的长度: "+words.length);
			System.out.println("Map读入的文本: "+value.toString());
			System.out.println("=====>  "+words[0]+"  =====>"+words[1]);
			 if(words[0]!=null){
				 iw.set(Integer.parseInt(words[0].trim()));
				 t.set(words[1].trim());
				 context.write(iw, t);//map阶段输出,默认按key排序
			 }
			
			 
			
		}
		
		
		
	}
	
	
	/**
	 * MapReduce作业2排序的Reducer
	 * 
	 * **/
	private static class SortReduce extends Reducer<IntWritable, Text, Text, IntWritable>{
		
		
		
		/**
		 * 
		 * 输出排序内容
		 * 
		 * **/
		@Override
		protected void reduce(IntWritable key, Iterable<Text> value,Context context)
				throws IOException, InterruptedException {
		 
			 for(Text t:value){
				 context.write(t, key);//输出排好序后的K,V
			 }
			
		}
		
	}
	
	
	
	
	/***
	 * 排序组件,在排序作业中,需要使用
	 * 按key的降序排序
	 * 
	 * **/
		public static class DescSort extends  WritableComparator{

			 public DescSort() {
				 super(IntWritable.class,true);//注册排序组件
			}
			 @Override
			public int compare(byte[] arg0, int arg1, int arg2, byte[] arg3,
					int arg4, int arg5) {
				return -super.compare(arg0, arg1, arg2, arg3, arg4, arg5);//注意使用负号来完成降序
			}
			 
			 @Override
			public int compare(Object a, Object b) {
		 
				return   -super.compare(a, b);//注意使用负号来完成降序
			}
			
		}
	
	
	
	
	
	
    /**
     * 驱动类
     * 
     * **/
 	public static void main(String[] args)throws Exception {
	
		
		   JobConf conf=new JobConf(MyHadoopControl.class); 
		   conf.set("mapred.job.tracker","192.168.75.130:9001");
		   conf.setJar("tt.jar");
		 
		 System.out.println("模式:  "+conf.get("mapred.job.tracker"));;
		
		
		/**
		 * 
		 *作业1的配置
		 *统计词频
		 * 
		 * **/
		Job job1=new Job(conf,"Join1");
	    job1.setJarByClass(MyHadoopControl.class);
		
	    job1.setMapperClass(SumMapper.class);
		job1.setReducerClass(SumReduce.class);
		
		job1.setMapOutputKeyClass(Text.class);//map阶段的输出的key
		job1.setMapOutputValueClass(IntWritable.class);//map阶段的输出的value
		
		job1.setOutputKeyClass(IntWritable.class);//reduce阶段的输出的key
		job1.setOutputValueClass(Text.class);//reduce阶段的输出的value
		
	
		
		//加入控制容器
		ControlledJob ctrljob1=new  ControlledJob(conf);
		ctrljob1.setJob(job1);
		
		
		FileInputFormat.addInputPath(job1, new Path("hdfs://192.168.75.130:9000/root/input"));
        FileSystem fs=FileSystem.get(conf);
		 
		 Path op=new Path("hdfs://192.168.75.130:9000/root/op");
		 
		 if(fs.exists(op)){
			 fs.delete(op, true);
			 System.out.println("存在此输出路径,已删除!!!");
		 }
		FileOutputFormat.setOutputPath(job1, op);
		
	/**========================================================================*/
		
		/**
		 * 
		 *作业2的配置
		 *排序
		 * 
		 * **/
		Job job2=new Job(conf,"Join2");
	    job2.setJarByClass(MyHadoopControl.class);
		
	    //job2.setInputFormatClass(TextInputFormat.class);
	    
	    
	    job2.setMapperClass(SortMapper.class);
		job2.setReducerClass(SortReduce.class);
		
		job2.setSortComparatorClass(DescSort.class);//按key降序排序
		
		job2.setMapOutputKeyClass(IntWritable.class);//map阶段的输出的key
		job2.setMapOutputValueClass(Text.class);//map阶段的输出的value
		
		job2.setOutputKeyClass(Text.class);//reduce阶段的输出的key
		job2.setOutputValueClass(IntWritable.class);//reduce阶段的输出的value
		
		

		//作业2加入控制容器
		ControlledJob ctrljob2=new ControlledJob(conf);
		ctrljob2.setJob(job2);
		
		/***
		 * 
		 * 设置多个作业直接的依赖关系
		 * 如下所写:
		 * 意思为job2的启动,依赖于job1作业的完成
		 * 
		 * **/
		ctrljob2.addDependingJob(ctrljob1);
		
		
		
		//输入路径是上一个作业的输出路径
		FileInputFormat.addInputPath(job2, new Path("hdfs://192.168.75.130:9000/root/op/part*"));
        FileSystem fs2=FileSystem.get(conf);
		 
		 Path op2=new Path("hdfs://192.168.75.130:9000/root/op2");
		 if(fs2.exists(op2)){
			 fs2.delete(op2, true);
			 System.out.println("存在此输出路径,已删除!!!");
		 }
		FileOutputFormat.setOutputPath(job2, op2);
		
		// System.exit(job2.waitForCompletion(true) ? 0 : 1);
		
		
		
		/**====================================================================***/
		
		
		
		
		
		
		/**
		 * 
		 * 主的控制容器,控制上面的总的两个子作业
		 * 
		 * **/
		JobControl jobCtrl=new JobControl("myctrl");
		//ctrljob1.addDependingJob(ctrljob2);// job2在job1完成后,才可以启动
		//添加到总的JobControl里,进行控制
		
		jobCtrl.addJob(ctrljob1); 
		jobCtrl.addJob(ctrljob2);
		
 
		//在线程启动
		Thread  t=new Thread(jobCtrl);
		t.start();
		
		while(true){
			
			if(jobCtrl.allFinished()){//如果作业成功完成,就打印成功作业的信息
				System.out.println(jobCtrl.getSuccessfulJobList());
				
				jobCtrl.stop();
				break;
			}
			
			if(jobCtrl.getFailedJobList().size()>0){//如果作业失败,就打印失败作业的信息
				System.out.println(jobCtrl.getFailedJobList());
				
				jobCtrl.stop();
				break;
			}
			
		}
		
		
		
		
	 
		
		
		
		
		
		
		
		
		
		
		
		
		
		
 
		
		
	}
	
	
	
	

}


运行日志如下:

Java代码 复制代码 收藏代码
  1. 模式:  192.168.75.130:9001  
  2. 存在此输出路径,已删除!!!  
  3. 存在此输出路径,已删除!!!  
  4. WARN - JobClient.copyAndConfigureFiles(746) | Use GenericOptionsParser for parsing the arguments. Applications should implement Tool for the same.  
  5. INFO - FileInputFormat.listStatus(237) | Total input paths to process : 1  
  6. WARN - NativeCodeLoader.<clinit>(52) | Unable to load native-hadoop library for your platform... using builtin-java classes where applicable  
  7. WARN - LoadSnappy.<clinit>(46) | Snappy native library not loaded  
  8. WARN - JobClient.copyAndConfigureFiles(746) | Use GenericOptionsParser for parsing the arguments. Applications should implement Tool for the same.  
  9. INFO - FileInputFormat.listStatus(237) | Total input paths to process : 1  
  10. [job name:  Join1  
  11. job id: myctrl0  
  12. job state:  SUCCESS  
  13. job mapred id:  job_201405092039_0001  
  14. job message:    just initialized  
  15. job has no depending job:     
  16. , job name: Join2  
  17. job id: myctrl1  
  18. job state:  SUCCESS  
  19. job mapred id:  job_201405092039_0002  
  20. job message:    just initialized  
  21. job has 1 dependeng jobs:  
  22.      depending job 0:   Join1  
  23. ]  
模式:  192.168.75.130:9001
存在此输出路径,已删除!!!
存在此输出路径,已删除!!!
WARN - JobClient.copyAndConfigureFiles(746) | Use GenericOptionsParser for parsing the arguments. Applications should implement Tool for the same.
INFO - FileInputFormat.listStatus(237) | Total input paths to process : 1
WARN - NativeCodeLoader.<clinit>(52) | Unable to load native-hadoop library for your platform... using builtin-java classes where applicable
WARN - LoadSnappy.<clinit>(46) | Snappy native library not loaded
WARN - JobClient.copyAndConfigureFiles(746) | Use GenericOptionsParser for parsing the arguments. Applications should implement Tool for the same.
INFO - FileInputFormat.listStatus(237) | Total input paths to process : 1
[job name:	Join1
job id:	myctrl0
job state:	SUCCESS
job mapred id:	job_201405092039_0001
job message:	just initialized
job has no depending job:	
, job name:	Join2
job id:	myctrl1
job state:	SUCCESS
job mapred id:	job_201405092039_0002
job message:	just initialized
job has 1 dependeng jobs:
	 depending job 0:	Join1
]


处理的结果如下:

Java代码 复制代码 收藏代码
  1. 三劫  932  
  2. b   579  
  3. 秦东亮 206  
  4. a   45  
三劫	932
b	579
秦东亮	206
a	45


可以看出,结果是正确的。程序运行成功,上面只是散仙测的2个MapReduce作业的组合,更多的组合其实和上面的一样。
总结:在配置多个作业时,Job的配置尽量分离单独写,不要轻易拷贝修改,这样很容易出错的,散仙在配置的时候,就是拷贝了一个,结果因为少修改了一个地方,在运行时候一直报错,最后才发现,原来少改了某个地方,这一点需要注意一下。

分享到:
评论

相关推荐

    大数据-hadoop-mapreduce代码

    在大数据处理领域,Hadoop MapReduce 是一个至关重要的组件,它为海量数据的分布式计算提供了框架。本资源包“大数据-hadoop-mapreduce代码”显然包含了与MapReduce编程相关的实例或示例代码,对于理解并应用Hadoop ...

    MongoDB与Hadoop MapReduce的海量非结构化数据处理方案.pdf

    MongoDB与Hadoop MapReduce的海量非结构化数据处理方案 本文旨在探索基于MongoDB与Hadoop MapReduce的海量非结构化数据处理方案,旨在解决大数据时代下的数据处理难题。该方案通过MongoDB Cluster、MongoDB-...

    《Hadoop海量数据处理》高清完整PDF版

    本书《Hadoop海量数据处理》是一本专注于Hadoop技术的专业技术书籍,旨在向读者介绍Hadoop生态系统的关键组件、核心概念以及在处理海量数据时的应用方法。全书分为基础篇、应用篇和总结篇三个部分,全面涵盖了Hadoop...

    基于 Hadoop 平台,使用 MapReduce 编程,统计NBA球员五项数据.zip

    在大数据处理领域,Hadoop 是一个至关重要的框架,它提供了分布式存储和计算的能力,使得海量数据的处理变得可能。在这个项目“基于 Hadoop 平台,使用 MapReduce 编程,统计NBA球员五项数据”中,我们将深入探讨...

    007_hadoop中MapReduce应用案例_1_数据去重

    在IT行业中,Hadoop MapReduce是一种分布式计算框架,广泛用于处理海量数据。在这个"007_hadoop中MapReduce应用案例_1_数据去重"的主题中,我们将深入探讨如何利用MapReduce解决数据去重的问题。这个案例可能涉及到...

    java操作hadoop之mapreduce分析年气象数据最低温度实战源码

    在大数据处理领域,Hadoop MapReduce是一个至关重要的组件,它为海量数据的并行处理提供了框架。本实战项目主要展示了如何使用Java编程语言操作Hadoop MapReduce来分析年度气象数据中的最低温度。以下是对这个实战...

    大数据 hadoop mapreduce 词频统计

    大数据处理是现代信息技术领域的一个重要概念,它涉及到海量数据的存储、管理和分析。Hadoop是Apache软件基金会开发的一个开源框架,专门用于处理和存储大规模数据集。Hadoop的核心组件包括HDFS(Hadoop Distributed...

    Hadoop_MapReduce教程.doc

    总的来说,Hadoop MapReduce为处理大数据提供了强大的工具,通过简单的编程模型实现了分布式计算,尤其适合需要处理海量数据的场景。其灵活性、容错性和可扩展性使其成为大数据处理领域的首选框架之一。

    hadoop海量数据处理详解与项目实战

    在描述中提到的“项目实战”可能意味着通过实际案例来学习和理解如何应用Hadoop技术解决具体的海量数据处理问题。这通常包括以下步骤: 1. 数据的采集和导入到HDFS。 2. 使用MapReduce进行数据预处理和分析。 3. ...

    Java操作Hadoop Mapreduce基本实践源码

    在大数据处理领域,Hadoop MapReduce是一个至关重要的组件,它为海量数据的并行处理提供了分布式计算框架。本文将深入探讨如何使用Java编程语言来操作Hadoop MapReduce进行基本实践,通过源码分析来理解其核心工作...

    Hadoop.MapReduce.v2.Cookbook pdf

    Hadoop是Apache软件基金会开发的一个开源框架,专门用于处理和存储海量数据。它的核心组件包括HDFS(Hadoop Distributed File System)和MapReduce,这两个组件共同构成了大数据处理的基础。MapReduce是一种编程模型...

    005_hadoop中MapReduce详解_2

    在Hadoop生态系统中,MapReduce是一种分布式计算框架,它允许我们处理海量数据并行化,非常适合大规模数据集的处理。本文将深入解析MapReduce的工作原理、核心组件以及如何编写一个基本的MapReduce程序。 MapReduce...

    Hadoop_MapReduce教程

    ### Hadoop MapReduce 教程知识点详解 #### 一、Hadoop MapReduce 概述 Hadoop MapReduce 是一种...通过对 MapReduce 的深入理解和掌握,可以极大地提高处理大规模数据的能力,满足现代企业对于海量数据处理的需求。

    基于Hadoop的海量数据处理模型研究和应用.pdf

    【基于Hadoop的海量数据处理模型研究和应用】 在当今信息化社会,Web成为了最大的信息系统,其价值主要来源于用户产生的海量数据。这些数据包含了丰富的信息,包括用户的浏览行为、社交网络互动、购物偏好等,为...

    hadoop mapreduce helloworld 能调试

    在大数据处理领域,Hadoop MapReduce 是一个至关重要的框架,它允许开发者编写分布式应用程序来处理海量数据。"Hadoop MapReduce HelloWorld 能调试" 的主题意味着我们将深入理解如何设置、运行以及调试 MapReduce ...

    Hadoop-MapReduce实践示例

    MapReduce框架提供了一种可扩展的计算模型,能够有效地在多台机器上并行处理海量数据,这对于大数据时代的分析和处理具有重要意义。 由于原始文件的【部分内容】描述中存在OCR扫描导致的个别字识别错误或漏识别,...

Global site tag (gtag.js) - Google Analytics