3

我收到以下 MRUnit 错误:

错误 mrunit.TestDriver:收到意外输出 (60, mrdp.MyCustomClass@73207f36)

错误 mrunit.TestDriver:在位置 0 处缺少预期输出(60,mrdp.MyCustomClass@6f73cf45)

我创建了一个MyCustomClasswhich implements Writable,并且有 4 个 int 属性。这是我的映射器的输出值。

以下是mapper的MRUnit测试代码:

@Test
public void testMapper() throws IOException {
    MyCustomClass result = new MyCustomClass();
    result.setAttr1(1);
    result.setAttr2(0);
    result.setAttr3(0);
    result.setAttr4(0);

    mapDriver.withInput(new LongWritable(1), new Text("60,5596,1,256"));
    mapDriver.addOutput(new Text("60"), result);
    mapDriver.runTest();
}

setAttr1(1)当在上面找到“1”时,我的 Mapper 应该调用它的 setter new Text("60,5596,1,256")

如何使用自定义类(具有多个属性)测试此结果?作业执行成功,我只是不知道如何使 MRUnit 测试工作。

$ hadoop fs -cat patterns/minmaxcount/outuserprefs/part*
23  mrdp.MyCustomClass@4cf15f6c
60  mrdp.MyCustomClass@4cf15f6c
4

1 回答 1

2

如果你想测试是否相等,你需要覆盖你的自定义equals()类。hascode()如果你不这样做,就没有办法测试“语义平等”。将使用默认Object方法。这就是你所面临的。有关进一步讨论,请参阅为什么我需要覆盖 Java 中的 equals 和 hashCode 方法?

下面是一个使用自定义类的简单 JUnit 测试CustomClass。我注释掉了equalsand hashcode。如果您运行测试,它将失败,并显示与您收到的类似的消息。如果您删除评论并运行它,它将通过。

import static org.junit.Assert.*;
import org.junit.Test;

public class CustomClass {

    String firstName;
    String lastName;

    public void setFirstName(String firstName) { this.firstName = firstName; }
    public void setLastName(String lastName) { this.lastName = lastName; }

    @Test
    public void testEqaulity() {
        CustomClass clazz1 = new CustomClass();
        clazz1.setFirstName("Stack");
        clazz1.setLastName("Overflow");

        CustomClass clazz2 = new CustomClass();
        clazz2.setFirstName("Stack");
        clazz2.setLastName("Overflow");

        assertEquals(clazz1, clazz2);
    }

    /*
    @Override
    public int hashCode() {
        final int prime = 31;
        int result = 1;
        result = prime * result
                + ((firstName == null) ? 0 : firstName.hashCode());
        result = prime * result
                + ((lastName == null) ? 0 : lastName.hashCode());
        return result;
    }
    @Override
    public boolean equals(Object obj) {
        if (this == obj)
            return true;
        if (obj == null)
            return false;
        if (getClass() != obj.getClass())
            return false;
        CustomClass other = (CustomClass) obj;
        if (firstName == null) {
            if (other.firstName != null)
                return false;
        } else if (!firstName.equals(other.firstName))
            return false;
        if (lastName == null) {
            if (other.lastName != null)
                return false;
        } else if (!lastName.equals(other.lastName))
            return false;
        return true;
    }
    */
}

如果您没有实现这些方法的经验或知识,大多数 IDE 都可以选择为您创建它们。

  • Eclipse:右键单击类 -> 源 -> 生成等于和哈希码
  • Netbeans:右键单击源编辑器 -> 插入代码 -> equals() hashcode()

在这两种情况下,您都需要选择要在等号和哈希码中包含(检查)的属性。这是我使用的仅有的两个 IDE :-)

于 2014-09-08T12:16:23.230 回答