如果有循环引用,我继承了一些失败的遗留代码。代码获取一个对象并构建整个对象图以转换为XML。 遗留代码无法修改,因此我想检测引用并相应地处理它。
现在,我正在构建图表中每个对象上的所有字段的集合,然后运行每个对象字段并尝试检测对象是否相等。
这是构建Set的遗留代码部分。
// declaration of set for this instance
Set<Object> noduplicates = new HashSet<Object>();
private Iterator<Field> findAllFields(Object o) {
Collection<Field> result = new LinkedList<Field>();j
Class<? extends Object> c = o.getClass();
while (c != null) {
Field[] f = c.getDeclaredFields();
for (int i = 0; i < f.length; i++) {
if (!Modifier.isStatic(f[i].getModifiers())) {
result.add(f[i]);
}
}
c = c.getSuperclass();
}
// add the fields for each object, for later comparison
noduplicates.addAll((Collection<?>) result);
testForDuplicates(noduplicates)
}
这是目前检测圆度的尝试(灵感来自:https://stackoverflow.com/a/2638662/817216):
private void testForDuplicates(Set<Object> noduplicates) throws ... {
for (Object object : noduplicates) {
Field[] fields = object.getClass().getFields();
for (Field field : fields) {
for (PropertyDescriptor pd : Introspector.getBeanInfo(field.getClass()).getPropertyDescriptors()) {
if (pd.getReadMethod() != null && !"class".equals(pd.getName())) {
Object possibleDuplicate = pd.getReadMethod().possibleDuplicate(object);
if (object.hashCode() == possibleDuplicate.hashCode()) {
System.out.println("Duplicated detected");
throw new RuntimeException();
}
}
}
}
}
}
我有一个非常简单的测试用例,两个POJO各自引用另一个:
class Prop {
private Loc loc;
public Loc getLoc() {
return loc;
}
public void setLoc(Loc loc) {
this.loc = loc;
}
}
class Loc {
private Prop prop;
public Prop getProp() {
return prop;
}
public void setProp(Prop prop) {
this.prop = prop;
}
}
我在上面尝试了几种变体,包括直接测试对象相等性。目前,对哈希码相等性的测试从不检测圆度。
感激地收到任何指示。
答案 0 :(得分:0)
最终将自己弄清楚了。我使用Reflection API遇到的部分混淆是,例如,当您调用Field.get(object);
对象必须是包含该字段的类的实例,这有意义但不是直观的(至少对我来说不是这样)。
文档声明:
get(Object obj)
Returns the value of the field represented by this Field, on the specified object.
最后,我提出的解决方案依赖于存储每个对象的类类型的Map,并使用它来确定它的任何字段是否引用它。
这就是我最终的结果:
boolean testForDuplicates(Set<Object> noduplicates2) throws IllegalArgumentException, IllegalAccessException, InvocationTargetException, InstantiationException, IntrospectionException {
Map<Object, Object> duplicatesMap = new HashMap<Object, Object>();
for (Object object : noduplicates2) {
duplicatesMap.put(object.getClass(), object);
}
for (Object object : noduplicates2) {
Field[] fields = object.getClass().getDeclaredFields();
for (Field field : fields) {
if (duplicatesMap.containsKey(field.getType())) {
Object possibleDupeFromField = duplicatesMap.get(field.getType());
if (noduplicates2.contains(possibleDupeFromField)) {
return true;
}
}
}
}
return false;
}
我会在违规的真实代码中对其进行测试,如果我发现了其他任何内容,请进行更新。