Bootstrap

使用MapReduce框架编写wordcount程序,统计某文本中每个单词出现的次数


前言

输入的内容如下文件,要求计算出文件中单词的出现次数,并按照单词的字母顺序进行排序,每个单词和其出现次数占一行,单词与出现次数之间有间隔 :

text.txt文件内容如下:
hello word
hello hadoop
bye hadoop

要求输出结果:
bye 1
hadoop 2
hello 2
world 1

一、设计思路

先在map()中将文件内容切成分片单词,然后在reduce()中统计各个单词出现的次数,最后计算结果排序输出。由于MapReduce是以键值对<key,value>形式传递的,且shuffle的排序、聚集、分发也是按着<key,value>来处理,因此把map的输出结果设置为以单词作为key,出现次数作为value。reduce方法的格式则为<key,value-list>(<word,{1,1,1,…}>)。
wordcount程序执行流程如下图:
在这里插入图片描述

二、程序源码

1.自定义Mapper内部类

public class WordCountMapper extends Mapper<LongWritable,Text,Text,IntWritable>{
   
	private static final IntWritable one=new IntWritable(1);
	private static final Text word=new Text();
	
	public void map(LongWritable key,Text value,
			Mapper<LongWritable,Text,Text,IntWritable>.Context context) throws IOException, InterruptedException
	{
   
		
		String lineString=value.toString();
		String[] words=lineString.split(" ");//将每个单词以空格为界分开
		for(String w:words)
		{
   
			word.
;