我正在尝试开发一些可移植到 J2SE 和 Android 平台的实用程序代码,用于缓存对象。计划是在我开始工作时提取一个抽象类,但现在它是最终类实现的一部分。
我希望缓存的对象刚刚被实例化并传递给store(Object, Object)
最终版本中将成为抽象类的一部分的方法,因此它需要使用自省来确定如何存储它所传递的数据。
算法不是很复杂:
1)。扫描对象的方法以查找@Id
属性,如果找到,则使用它来获取对象的键。
2)。扫描 store() 方法自己的类以查找实现该put(key.getClass(), value.getClass())
方法的字段并使用它来缓存对象。
第 (1) 部分工作得很好,第 (2) 部分我无法开始工作。我得到:
DEBUG c.n.v.ui.cache.Cache Not found: operativesMap.put(String, OperativeEntity)
WARN c.n.v.ui.cache.Cache Object Joe Bloogs, with key cac57510-c9c6-11df-8000-b56f1ffcb182 not cached!
INFO c.n.v.ui.cache.Cache Object Joe Bloggs, with key cac57510-c9c6-11df-8000-b56f1ffcb182 cached.
记录显示自省代码未能找到 put 方法并且已经落入双重检查逻辑(当我将该方法移动到抽象类时必须将其删除)。
一如既往地非常感谢你在这方面的帮助。
史蒂夫
public void store(Object key,
Object value) {
if (log.isInfoEnabled())
log.info("Storing: " + key + " => " + value);
for (Field field: getClass().getDeclaredFields())
if (store(field, key, value))
return;
log.warn("Object " + value + ", with key " + key + " not cached!");
if (value instanceof OperativeEntity) {
operativesMap.put(key.toString(), (OperativeEntity) value);
log.info("Object " + value + ", with key " + key + " cached.");
// How did I get here, and I do - the loop above should have found
// operativesMap, it's put method and stored the value
}
}
public boolean store(Field field,
Object key,
Object value) {
try {
Method method = field.getClass().getMethod("put", key.getClass(), value.getClass());
if (null != method)
return store(field.get(this), method, key, value);
else
return false;
} catch (NoSuchMethodException cause) {
if (log.isDebugEnabled())
log.debug("Not found: " + field.getName() + ".put(" + key.getClass().getSimpleName()
+ ", " + value.getClass().getSimpleName() + ")");
return false;
} catch (Exception cause) {
log.error("Stroing " + key + "=>" + value + " mapping", cause);
return false;
}
}
public boolean store(Object obj,
Method method,
Object key,
Object value) {
try {
method.invoke(obj, key, value);
if (log.isInfoEnabled())
log.info(">>>>>> Cached " + key + "=>" + value);
return true;
} catch (Exception cause) {
log.error("Stroing " + key + "=>" + value + " mapping", cause);
return false;
}
}
更新:
对于将来阅读本文的任何人,找到有效的 put 方法的代码如下所示:
public boolean store(Field field,
Object key,
Object value) {
try {
Object obj = field.get(this);
Method method = obj.getClass().getMethod("put", Object.class, Object.class);
if (null != method) {
Class[] params = method.getParameterTypes();
if (log.isDebugEnabled())
log.debug(" Found: put(" + params[0].getSimpleName() + ", " + params[1].getSimpleName() + ")");
if (params[0].isAssignableFrom(key.getClass())
&& params[1].isAssignableFrom(value.getClass()))
return store(obj, method, key, value);
else
return false;
} else
return false;
} catch (NoSuchMethodException cause) {
if (log.isDebugEnabled())
log.debug("Not found: " + field.getName() + ".put(Object, Object)");
return false;
} catch (Exception cause) {
log.error("Storing " + key + "=>" + value + " mapping", cause);
return false;
}
}