欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

mapreduce二次排序详解

程序员文章站 2022-09-27 21:09:45
什么是二次排序 待排序的数据具有多个字段,首先对第一个字段排序,再对第一字段相同的行按照第二字段排序,第二次排序不破坏第一次排序的结果,这个过程就称为二次排序 如何在mapreduce中实现二次排序 mapreduce的工作原理 MR的工作原理如下图(如果看不清可右键新标签页查看): 图片部分数据参 ......

什么是二次排序

待排序的数据具有多个字段,首先对第一个字段排序,再对第一字段相同的行按照第二字段排序,第二次排序不破坏第一次排序的结果,这个过程就称为二次排序

如何在mapreduce中实现二次排序

mapreduce的工作原理

mr的工作原理如下图(如果看不清可右键新标签页查看):

mapreduce二次排序详解

图片部分数据参考自:https://www.bbsmax.com/a/ke5qjg6qdl/

示例数据以及需求

为了方便分析整个过程,这里以如下数据作为示例,现在假设给出如下的数据,数据有两列,每列都是整形数据

7 5
-9999 1
3 95
-9999 5
2 7
1 2
4 62
4 13
2 99
1 8
7 8888

要求输出结果为:

------------------------------------------------
-9999 1
-9999 5
------------------------------------------------
1 2
1 8
------------------------------------------------
2 7
2 99
------------------------------------------------
3 95
------------------------------------------------
4 13
4 62
------------------------------------------------
7 5
7 8888

可以看到这就是一个二次排序的过程。

思路一

假设每一行以空格划分的两个int型数据分别为int1、int2,那么最简单的思路是:mapper以每一行数据作为输入,输出键值对为<int1, int2>,由于我们知道在reducer运行之前,数据会先按照key也就是int1排序,那么int1相同的数据就将合并到一起供同一个reducer进行处理,那么我们便可以在reduce函数中对输入的<int1, [int2-list]>按照int2升序操作即可。

现在来分析一下,在这个思路下,一个reducer要接收一个给定key的所有值并对其进行内部排序,如果数据量大的话,那显然这会耗尽机器的内存,对于实际运用,这是不可取的思路。

思路二

 仔细观察mr的原理图就可以发现,mr的分区、排序、分组等操作都是针对key进行的,既然我们想要对两个字段都进行排序,那么可以将int1和int2组合成新的key,原来的value保持不变(不过这时候value其实都不重要了,因为key就包含了原来键值对的所有信息了,所以value其实也可以设置为null,这里就选择保持value不变的方式进行操作),这样一来按照mr的原理图来看,对于新key,

  1. 其分区逻辑为:只对int1进行分区(默认的分区操作是以整个key进行哈希操作的,这就可能把有同样int1的组合key发送给不同的reducer,这显然不是我们想要的);
  2. 其排序逻辑为:先对int1排序,在int1相同的基础上对int2排序(即是二次排序的逻辑);
  3. 其分组逻辑为:只对int1进行分组(保持与原逻辑一致,int1相同的数据可以在一次reduce函数被调用时一同被处理)。

下面开始讲解要实现的代码。

 一、自定义组合key

在mr中,所有的key值类型都必须实现writablecomparable接口,使其支持可序列化(用于写入磁盘)和可比较(用于排序)。

  • 要是可序列化的就得实现readfiels()和write()这两个序列化和反序列化函数
  • 要是可比较的就得实现compareto()函数,该函数即是排序规则的实现

代码实现如下:

public static class intpair 
                      implements writablecomparable<intpair> {
    private int first = 0;
    private int second = 0;

    public void set(int left, int right) {
      first = left;
      second = right;
    }
    public int getfirst() {
      return first;
    }
    public int getsecond() {
      return second;
    }

    @override
    public void readfields(datainput in) throws ioexception {
      first = in.readint();
      second = in.readint();
    }
@override public void write(dataoutput out) throws ioexception { out.writeint(first); out.writeint(second); } @override public int compareto(intpair other) { if (first != other.first) { return first < other.first ? -1 : 1; } else if (second != other.second) { return second < other.second ? -1 : 1; } else { return 0; } } }

 这里有个问题:组合key类实现了writeablecomparator后就必须实现compareto函数,而它和setsortcomparatorclass都是为了分区时的排序或者归并的时候用上的,那么既然前者是必须存在的,两者的功能又是一样的,为什么还要有后者的存在?

二、实现组合key的分区逻辑

 这里有两种实现方式,实现其一就可以实现目的。

实现方式一:自定义分区类

public static class firstpartitioner extends partitioner<intpair,intwritable>{
    @override
    public int getpartition(intpair key, intwritable value, 
                            int numpartitions) {
      return math.abs(key.getfirst() % numpartitions); 
}
}

由于分区只针对int1,所以这里进行哈希时只使用到了key.getfirst()。由于分区的标号只能是0到numpartitions-1的整数,所以getpartition()函数中就要个取模操作。同时为了保证分区的结果为正,这里最后要取最绝对值。如果不在0到numpartitions-1范围内就会报illegal partition的错误。

这样在通过添加 job.setpartitionerclass(firstpartitioner.class); 就可以实现设置了。

实现方式二:重载组合key的hashcode()函数以及equals()函数

 以下代码在组合key——intpair中实现。

@override
public int hashcode() {
  return first;
}

@override
public boolean equals(object other) {
  if (other instanceof intpair) {
    intpair o = (intpair) other;
    return o.first == first && o.second == second;
  } else {
    return false;
  }
}

在java中hashcode()函数和equals函数基本上是成对实现的,关于hashcode()函数的设计方式可参考:hashcode 方法及 equals 方法的规范,一般对于int型数据,其哈希值就是其本来的值,所以这里直接返回first而不需要进行什么乘法或取模运算。

若选择用这种方式实现,则默认使用hashpartitioner作为分区类,这里组合键实现的hashcode()函数就在这里被调用了。

public class hashpartitioner<k2, v2> implements partitioner<k2, v2> {

  public void configure(jobconf job) {}
  /** use {@link object#hashcode()} to partition. */
  public int getpartition(k2 key, v2 value,
                          int numreducetasks) {
    return (key.hashcode() & integer.max_value) % numreducetasks;
  }
}

关于为什么要将key的哈希值和int最大值相与可参考what does that mean for text.hashcode() & interger.max_value?

其实仔细观察后就可以发现上面这两种方式最后得到的结果都是相同的。

但是这里有个小问题:感觉equals函数在整个过程中貌似没有用上,就算去掉这个函数,程序还是能不报错执行,不过看网上很多关于二次排序的博客文章都提到要实现这个函数,这里我的理解是,除非我们确实需要用到key的equals函数,否则在这篇范围内是可以不用实现它的,而网上的许多关于二次排序的文章中其实也没有用到这个函数。但是貌似hashcode和equals这两个函数经常是成对出现的,为了保险起见,重载实现一下页无妨。


注意点:默认情况下reducer的个数只有一个,即numreducetasks=1,分区数为1,这时候也就没有必要进行分区操作了(因为反正数据最终都是到同一个reducer上去,分区的本意就是为了划分数据到不同的reducer上去的),所以当reducer的个数为1时(或者默认时),实现方式一重载的getpartition函数就不会被执行,同理实现方式二重载的hashcode()函数也不会被执行。


 

 

三、实现分组逻辑

 这里也有两种实现方式,实现其一就可以实现目的。

实现方式一:继承(extends)writablecomparator 类

实现方式很简单,直接比较复合键的第一个值即可。

public static class firstgroupingcomparator extends writablecomparator{
  protected firstgroupingcomparator()
  {
      super(intpair.class, true);
  }
  @override
  public int compare(writablecomparable w1, writablecomparable w2)
  {
      intpair key1 = (intpair) w1;
      intpair key2 = (intpair) w2;
      int l = key1.getfirst();
      int r = key2.getfirst();
      return l == r ? 0 : (l < r ? -1 : 1);
  }
}

实现方式二:实现(implements)rawcomparator 接口

public static class firstgroupingcomparator
            implements rawcomparator<intpair> {
    @override
    public int compare(byte[] b1, int s1, int l1, byte[] b2, int s2, int l2) {
      return writablecomparator.comparebytes(b1, s1, integer.size/8, 
                                             b2, s2, integer.size/8);
    }

    @override
    public int compare(intpair o1, intpair o2) {
      int l = o1.getfirst();
      int r = o2.getfirst();
      return l == r ? 0 : (l < r ? -1 : 1);
    }
}

这里只要重载两个输入参数不同的compare函数即可。

  • 对于第一个compare函数,其直接进行的是字节流上的比较,省去了反序列化的操作,比较效率会高一点,但是也相对难懂了一点,首先查看其在父类的参数的定义说明:
      /**
       * compare two objects in binary.
       * b1[s1:l1] is the first object, and b2[s2:l2] is the second object.
       * 
       * @param b1 the first byte array.
       * @param s1 the position index in b1. the object under comparison's starting index.
       * @param l1 the length of the object in b1.
       * @param b2 the second byte array.
       * @param s2 the position index in b2. the object under comparison's starting index.
       * @param l2 the length of the object under comparison in b2.
       * @return an integer result of the comparison.
       */
      public int compare(byte[] b1, int s1, int l1, byte[] b2, int s2, int l2);

    其进一步调用了writeablecomparator.comparebytes函数(该函数实现如下)

      /** lexicographic order of binary data. */
      public static int comparebytes(byte[] b1, int s1, int l1,
                                     byte[] b2, int s2, int l2) {
        return fastbytecomparisons.compareto(b1, s1, l1, b2, s2, l2);
      }

    观察compare函数以及其调用的comparebytes函数,这两者的输入参数的命名都是一样的,所以它们对应的意义也应该一样,而对于传给comparebytes函数的参数 l1 和 l2 只需要设置为integer.size/8(也就是4个字节的长度,刚好是一个int型数据的字节长度数目,这样就达到了只比较intpair的 first 部分的值的目的,从而实现分组的逻辑)。

    • ps:intpair在class中依次定义了first和second两个int型变量,这类对象在转换成bytes数组时会依次将first、second转换为字节数据然后顺序拼接起来,因此假设现在有个intpair变量a,其转换为bytes数组的变量为b,那么b的长度就为8,b中前4个值就对应a.first,b中后4个值就对应a.second。可以使用如下函数输出验证这一想法。

      public static int bytes2int(byte[] b, int start, int len) {
          int sum = 0;
          int end = start + len;
          for (int i = start; i < end; i++) {
              int n = ((int)b[i]) & 0xff;
              n <<= (--len) * 8;
              sum += n;
          }
          return sum;
      }

 

  • 对于第二个compare函数,其直接比较intpair的第一个值,思路简单,但是有个问题时,这个函数必须重载但是实际上在二次排序中并没有运行该函数,不知道重载了有什么用。

关于以上两种方式的总结

首先,这两种方式要起效通过 job.setgroupingcomparatorclass(firstgroupingcomparator.class); 即可。

回顾下groupingcomparator的作用,其在reducer中被使用,对key值相同的数据归类成同个组,key值不同的数组归类到不同的组,而同个组的数据会在一次reduce函数调用中一次性处理,所以其只需要涉及到键值间的比较而不用涉及到键值的序列化等操作。

再回顾上面的两种实现方式,groupingcomparator皆可通过继承writablecomparable类也可以通过实现rawcomparator接口来实现,而前者writablecomparable也是后者rawcomparator接口的一个实现,前者相对来说多了键值对的序列化功能,而再进行键值间的比较时,前者需要先反序列化后才可以进行比较,而后者直接在字节数组层面上进行比较,显然后者的效率要高点,所以在实践中如果追求效率的话,用rawcomparator实现groupingcomparator效率相对会比较高

 

四、实现mapper

/**
* read two integers from each line and generate a key, value pair
* as ((left, right), right).
*/
public static class mapclass 
     extends mapper<longwritable, text, intpair, intwritable> {

    private final intpair key = new intpair();
    private final intwritable value = new intwritable();

    @override
    public void map(longwritable inkey, text invalue, 
                    context context) throws ioexception, interruptedexception {
      stringtokenizer itr = new stringtokenizer(invalue.tostring());
      int left = 0;
      int right = 0;
      if (itr.hasmoretokens()) {
        left = integer.parseint(itr.nexttoken());
        if (itr.hasmoretokens()) {
          right = integer.parseint(itr.nexttoken());
        }
        key.set(left, right);
        value.set(right);
        context.write(key, value);
      }
    }
}

实现思路很简单,就是读取每一行的数据,得到其中的两个int数据left和right,进一步得到键值对<(left, right), right>。

但是实现起来还是有一点要注意的:mapper的map函数在实践中会被调用很多次,所以一些能够声明在map函数之外的变量就不要声明在map函数里面,比如这里的private final的int型变量key和value就声明在map函数之外,在map函数调用的过程中它们每一次都设置新的值,而新的值通过context.write函数执行之后这两个变量又可以复用了。而如果声明在map函数里面,则可能会存在频繁地调用map函数处理每一行输入的数据,这个过程中不断地new变量不断地delete变量,效率上有点影响的。

五、实现reducer

/**
* a reducer class that just emits the sum of the input values.
*/
public static class reduce 
     extends reducer<intpair, intwritable, text, intwritable> {
    private static final text separator = 
      new text("------------------------------------------------");
    private final text first = new text();

    @override
    public void reduce(intpair key, iterable<intwritable> values, context context) 
            throws ioexception, interruptedexception {
      context.write(separator, null);
      first.set(integer.tostring(key.getfirst()));
      for(intwritable value: values) {
        context.write(first, value);
      }
    }
}

经过了mapper的map、分区排序、合并等操作,到达reducer的时候其实已经是二次排序完成了,所以这里就只需要将数据输出出来即可。

六、全部代码

package test.linzch3;

import java.io.datainput;
import java.io.dataoutput;
import java.io.ioexception;
import java.util.comparator;
import java.util.stringtokenizer;
import java.util.function.function;
import java.util.function.todoublefunction;
import java.util.function.tointfunction;
import java.util.function.tolongfunction;

import org.apache.hadoop.conf.configuration;
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.rawcomparator;
import org.apache.hadoop.io.text;
import org.apache.hadoop.io.writablecomparable;
import org.apache.hadoop.io.writablecomparator;
import org.apache.hadoop.mapreduce.lib.input.fileinputformat;
import org.apache.hadoop.mapreduce.lib.output.fileoutputformat;
import org.apache.hadoop.mapreduce.job;
import org.apache.hadoop.mapreduce.mrjobconfig;
import org.apache.hadoop.mapreduce.mapper;
import org.apache.hadoop.mapreduce.partitioner;
import org.apache.hadoop.mapreduce.reducer;
import org.apache.hadoop.util.genericoptionsparser;

/**
 * this is an example hadoop map/reduce application.
 * it reads the text input files that must contain two integers per a line.
 * the output is sorted by the first and second number and grouped on the 
 * first number.
 *
 * to run: bin/hadoop jar build/hadoop-examples.jar secondarysort
 *            <i>in-dir</i> <i>out-dir</i> 
 */
public class secondarysort {
 
  /**
   * define a pair of integers that are writable.
   * they are serialized in a byte comparable format.
   */
  public static class intpair 
                      implements writablecomparable<intpair> {
    private int first = 0;
    private int second = 0;

    public void set(int left, int right) {
      first = left;
      second = right;
    }
    public int getfirst() {
      return first;
    }
    public int getsecond() {
      return second;
    }

    @override
    public void readfields(datainput in) throws ioexception {
      first = in.readint();
      second = in.readint();
    }
    @override
    public void write(dataoutput out) throws ioexception {
      out.writeint(first);
      out.writeint(second);
    }

    @override
    public int compareto(intpair other) {
      if (first != other.first) {
        return first < other.first ? -1 : 1;
      } else if (second != other.second) {
        return second < other.second ? -1 : 1;
      } else {
        return 0;
      }
    }
    
//    @override
//    public int hashcode() {
//      return first;
//    }
//    
//    @override
//    public boolean equals(object other) {
//      if (other instanceof intpair) {
//        intpair o = (intpair) other;
//        return o.first == first && o.second == second;
//      } else {
//        return false;
//      }
//    }
  }
  
  /**
   * partition based on the first part of the pair.
   */
  public static class firstpartitioner extends partitioner<intpair,intwritable>{
    @override
    public int getpartition(intpair key, intwritable value, 
                            int numpartitions) {
      return math.abs(key.getfirst() % numpartitions); 
    }
  }

  /**
   * compare only the first part of the pair, so that reduce is called once
   * for each value of the first part.
   */
//  public static class firstgroupingcomparator extends writablecomparator{
//      protected firstgroupingcomparator()
//      {
//          super(intpair.class, true);
//      }
//      @override
//      public int compare(writablecomparable w1, writablecomparable w2)
//      {
//          intpair key1 = (intpair) w1;
//          intpair key2 = (intpair) w2;
//          int l = key1.getfirst();
//          int r = key2.getfirst();
//          return l == r ? 0 : (l < r ? -1 : 1);
//      }
//  }

  public static class firstgroupingcomparator implements rawcomparator<intpair> {
    @override
    public int compare(byte[] b1, int s1, int l1, byte[] b2, int s2, int l2) {
      
      return writablecomparator.comparebytes(b1, s1, integer.size/8, 
                                             b2, s2, integer.size/8);
    }

    @override
    public int compare(intpair o1, intpair o2) {
      int l = o1.getfirst();
      int r = o2.getfirst();
      return l == r ? 0 : (l < r ? -1 : 1);
    }
  }

  /**
   * read two integers from each line and generate a key, value pair
   * as ((left, right), right).
   */
  public static class mapclass 
         extends mapper<longwritable, text, intpair, intwritable> {
    
    private final intpair key = new intpair();
    private final intwritable value = new intwritable();
    
    @override
    public void map(longwritable inkey, text invalue, 
                    context context) throws ioexception, interruptedexception {
      stringtokenizer itr = new stringtokenizer(invalue.tostring());
      int left = 0;
      int right = 0;
      if (itr.hasmoretokens()) {
        left = integer.parseint(itr.nexttoken());
        if (itr.hasmoretokens()) {
          right = integer.parseint(itr.nexttoken());
        }
        key.set(left, right);
        value.set(right);
        context.write(key, value);
      }
    }
  }
  
  /**
   * a reducer class that just emits the sum of the input values.
   */
  public static class reduce 
         extends reducer<intpair, intwritable, text, intwritable> {
    private static final text separator = 
      new text("------------------------------------------------");
    private final text first = new text();
    
    @override
    public void reduce(intpair key, iterable<intwritable> values, context context) 
            throws ioexception, interruptedexception {
      context.write(separator, null);
      first.set(integer.tostring(key.getfirst()));
      for(intwritable value: values) {
        context.write(first, value);
      }
    }
  }
  
  public static void main(string[] args) throws exception {
    configuration conf = new configuration();
    string[] otherargs = new genericoptionsparser(conf, args).getremainingargs();
    if (otherargs.length != 2) {
      system.err.println("usage: secondarysort <in> <out>");
      system.exit(2);
    }
    job job = job.getinstance(conf, "secondary sort");
    job.setjarbyclass(secondarysort.class);
    job.setmapperclass(mapclass.class);
    job.setreducerclass(reduce.class);

    // group and partition by the first int in the pair
    job.setpartitionerclass(firstpartitioner.class);
    job.setgroupingcomparatorclass(firstgroupingcomparator.class);

    // the map output is intpair, intwritable
    job.setmapoutputkeyclass(intpair.class);
    job.setmapoutputvalueclass(intwritable.class);

    // the reduce output is text, intwritable
    job.setoutputkeyclass(text.class);
    job.setoutputvalueclass(intwritable.class);
    
    fileinputformat.addinputpath(job, new path(otherargs[0]));
    fileoutputformat.setoutputpath(job, new path(otherargs[1]));
    
    /*delete the output directory if exists*/
    path out = new path(otherargs[otherargs.length - 1]);
    filesystem filesystem = filesystem.get(conf);
     if (filesystem.exists(out)) {
          filesystem.delete(out, true);
      }
     
    system.exit(job.waitforcompletion(true) ? 0 : 1);
  }
}