我想用Hadoop MapReduce分析一个文本文件。
CVS文件更容易分析,因为它可以区分带有','的列
但是文本文件不能像CVS文件那样被区分。
这是一个文本文件格式。
2015-8-02
error2014 blahblahblahblah
2015-8-02
blahblahbalh error2014
我希望输出为
date contents sum of errors
2015-8-02 error2014 2
我想这样分析。我该如何使用MapReduce程序呢?
假设文本文件的格式如下:
2015-8-02
error2014 blahblahblahblah
2015-8-02
blahblahbalh error2014
你可以使用NLineInputFormat
使用NLineInputFormat
功能,您可以精确地指定应该向映射器发送多少行。
在您的情况下,您可以使用每个映射器输入2行。
编辑:
下面是一个使用NLineInputFormat的例子:
Mapper类:
import java.io.IOException;
import org.apache.hadoop.io.LongWritable;
import org.apache.hadoop.io.Text;
import org.apache.hadoop.mapreduce.Mapper;
public class MapperNLine extends Mapper<LongWritable, Text, LongWritable, Text> {
@Override
public void map(LongWritable key, Text value, Context context)
throws IOException, InterruptedException {
context.write(key, value);
}
}
驱动程序类:
import org.apache.hadoop.conf.Configuration;
import org.apache.hadoop.conf.Configured;
import org.apache.hadoop.fs.Path;
import org.apache.hadoop.mapreduce.Job;
import org.apache.hadoop.mapreduce.lib.input.NLineInputFormat;
import org.apache.hadoop.mapreduce.lib.output.FileOutputFormat;
import org.apache.hadoop.mapreduce.lib.output.LazyOutputFormat;
import org.apache.hadoop.mapreduce.lib.output.TextOutputFormat;
import org.apache.hadoop.util.Tool;
import org.apache.hadoop.util.ToolRunner;
public class Driver extends Configured implements Tool {
@Override
public int run(String[] args) throws Exception {
if (args.length != 2) {
System.out
.printf("Two parameters are required for DriverNLineInputFormat- <input dir> <output dir>n");
return -1;
}
Job job = new Job(getConf());
job.setJobName("NLineInputFormat example");
job.setJarByClass(Driver.class);
job.setInputFormatClass(NLineInputFormat.class);
NLineInputFormat.addInputPath(job, new Path(args[0]));
job.getConfiguration().setInt("mapreduce.input.lineinputformat.linespermap", 2);
LazyOutputFormat.setOutputFormatClass(job, TextOutputFormat.class);
FileOutputFormat.setOutputPath(job, new Path(args[1]));
job.setMapperClass(MapperNLine.class);
job.setNumReduceTasks(0);
boolean success = job.waitForCompletion(true);
return success ? 0 : 1;
}
public static void main(String[] args) throws Exception {
int exitCode = ToolRunner.run(new Configuration(), new Driver(), args);
System.exit(exitCode);
}
}
然后可以从行中提取日期和错误。在提取日期和错误之后,您可以将它们作为组合键传递,或者将字符串作为键和IntWritable作为值传递,就像WordCount示例一样,然后在reducer类中再次执行类似于WordCount示例的基本添加操作。
我希望我能回答你的问题。