我有一个测试,该测试旨在测试从数据库返回的对象数组(一组使用Rule包装器类的规则)的内容:
[
{
id: 1,
name: "rule_1",
description: "this rule will check something",
},
]
@Test
public void testQueryRules() throws IOException {
final List<Rule> rules = ruleDB.queryRules();
final String expectedRuleId = "1";
final String expectedName = "rule_1";
final String expectedDescription = "this rule will check something";
final Rule rule = new Rule(expectedRuleId, expectedName, expectedDescription);
final List<Rule> expectedRules = new ArrayList<Rule>();
expectedRules.add(rule);
expectedRules.forEach(expectedRule -> {
System.out.println("RULE ID " + expectedRule.getRuleId());
System.out.println("RULE NAME " + expectedRule.getRuleName());
System.out.println("RULE DESCRIPTION " + expectedRule.getDescription());
});
rules.forEach(actualRule -> {
System.out.println("ACTUAL RULE ID " + actualRule.getRuleId());
System.out.println("ACTUAL RULE NAME " + actualRule.getRuleName());
System.out.println("ACTUAL DESCRIPTION " + actualRule.getDescription());
});
System.out.println("MATCHED " + Arrays.deepEquals(expectedRules.toArray(), rules.toArray()));
System.out.println("MATCHED AGAIN " + Arrays.equals(expectedRules.toArray(), rules.toArray()));
Assert.assertArrayEquals(expectedRules.toArray(), rules.toArray());
}
如您所见,我已经尝试使用Arrays.equals()
,Arrays.deepEquals()
和assertArrayEquals()
。即使预期和实际的输出都相同,但似乎没有一个可以成功测试:
预期:
RULE ID: 1
RULE NAME: "rule 1",
RULE DESCRIPTION: "this rule will check something",
实际:
ACTUAL RULE ID: 1
ACTUAL RULE NAME: "rule 1",
ACTUAL RULE DESCRIPTION: "this rule will check something"
在Java中测试对象数组的标准方法是什么?似乎失败了,因为即使内容相同,指针引用也不同。
答案 0 :(得分:2)
您可能要使用assertj。特别是它的usingFieldByFieldElementComparator
import java.util.Arrays;
import java.util.List;
import org.assertj.core.api.Assertions;
import org.junit.jupiter.api.Test;
class MyTests {
static class Rule {
final String id;
final String name;
final String description;
Rule(String id, String name, String description) {
this.id = id;
this.name = name;
this.description = description;
}
// no equals, no hashCode
}
@Test
void rulesShouldEqual_whenTheirPropertiesEqual() {
Rule actualRule1 = new Rule("id1", "name1", "description1");
Rule actualRule2 = new Rule("id2", "name2", "description2");
List<Rule> actual = Arrays.asList(actualRule1, actualRule2);
Assertions.assertThat(actual).usingFieldByFieldElementComparator().containsExactly(
new Rule("id1", "name1", "description1"),
new Rule("id2", "name2", "description2"));
}
}