我正在尝试运行一个简单的map reduce程序,其中mapper为同一个键写了两个不同的值,但是当我到达reducer时它们总是一样。
这是我的代码:
public class kaka {
public static class Mapper4 extends Mapper<Text, Text, Text, Text>{
public void map(Text key, Text value, Context context) throws IOException, InterruptedException {
context.write(new Text("a"),new Text("b"));
context.write(new Text("a"),new Text("c"));
}
}
public static class Reducer4 extends Reducer<Text,Text,Text,Text> {
public void reduce(Text key, Iterable<Text> values, Context context) throws IOException, InterruptedException {
Vector<Text> vals = new Vector<Text>();
for (Text val : values){
vals.add(val);
}
return;
}
}
public static void main(String[] args) throws Exception {
//deleteDir(new File("eran"));//todo
Configuration conf = new Configuration();
conf.set("mapred.map.tasks","10"); // asking for more mappers (it's a recommendation)
conf.set("mapred.max.split.size","1000000"); // set default size of input split. 1000 means 1000 bytes.
Job job1 = new Job(conf, "find most similar words");
job1.setJarByClass(kaka.class);
job1.setInputFormatClass(SequenceFileInputFormat.class);
job1.setMapperClass(Mapper4.class);
job1.setReducerClass(Reducer4.class);
job1.setOutputFormatClass(SequenceFileOutputFormat.class);
job1.setOutputKeyClass(Text.class);
job1.setOutputValueClass(Text.class);
FileInputFormat.addInputPath(job1, new Path("vectors/part-r-00000"));
FileOutputFormat.setOutputPath(job1, new Path("result"));
job1.waitForCompletion(true);
System.exit(job1.waitForCompletion(true) ? 0 : 1);
}
}
答案 0 :(得分:7)
您在重复使用reducer中的值时重复使用objext。很久以前有一个JIRA补丁来提高效率,这意味着传递给映射器的Key / Value对象和传递给reducer的Key / Value对象总是相同的底层对象引用,只是那些对象的内容随着每次迭代而改变。
修改代码,在添加到向量之前复制值:
public static class Reducer4 extends Reducer<Text,Text,Text,Text> {
public void reduce(Text key, Iterable<Text> values, Context context) throws IOException, InterruptedException {
Vector<Text> vals = new Vector<Text>();
for (Text val : values){
// make copy of val before adding to the Vector
vals.add(new Text(val));
}
return;
}
}