我有一个对象初始化如下:
Object obj = new Object(){
final String type = "java.lang.Integer";
final Object value = 6;
};
我想重新创建这个对象为:
Integer i = 6;
是否有任何方法我可以得到obj
对象的type
字段,并使用反射创建一个新的实例,并在其中提供值?
编辑:在扩展这个问题之后,我发现如果我将对象存储在file中并使用Jackson从file中检索它,使用以下命令:
Reader reader = new Reader();
MyClass[] instances = reader.readValue(fileName);
, MyClass
定义为:
class MyClass{
List<Object> fields;
.
.
.
}
现在我正在迭代fields
并使用代码将它们转换为适当的对象:
public static Class<?> getTypeForObject(Object field) {
Field returnType = null;
try {
returnType = field.getClass().getDeclaredField("type");
} catch (NoSuchFieldException e) {
e.printStackTrace();
} catch (SecurityException e) {
e.printStackTrace();
} catch (IllegalArgumentException e) {
e.printStackTrace();
}
return returnType.getType();
}
public static Object getValueForObject(Object field) {
Object obj = null;
try {
obj = field.getClass().getDeclaredField("value").get(field);
} catch (IllegalArgumentException e) {
e.printStackTrace();
} catch (IllegalAccessException e) {
e.printStackTrace();
} catch (NoSuchFieldException e) {
e.printStackTrace();
} catch (SecurityException e) {
e.printStackTrace();
}
return obj;
}
但是当我观察表达式field.getClass()
时,它给我LinkedHashMap
作为它的类。我很困惑为什么,如果它的对象在内部被视为Map
,我留下了什么选项,如果我想用反射来做,而不使用具体的数据结构,以便一切都是通用的。
可以。但是,由于obj
的类型是扩展java.lang.Object
的匿名类,因此您不能直接引用其字段(type
和value
),只能通过反射。
你可以这样做:
String type = (String) obj.getClass().getDeclaredField("type").get(obj);
Object value = obj.getClass().getDeclaredField("value").get(obj);
// Type can be anything, so in order to instantiate it,
// we have to assume something. We assume it has a constructor
// which takes only a String value.
Object recreated = Class.forName(type).getConstructor(String.class)
.newInstance(value == null ? null : value.toString());
System.out.println(recreated);
看看新更新的代码:
Object obj = new Object() {
final String type = "java.lang.Integer";
final Object value = 6;
};
public void demo(){
try {
Field typeField = obj.getClass().getDeclaredField("type");
typeField.setAccessible(true);
String type = typeField.get(obj).toString();
Field valueField = obj.getClass().getDeclaredField("value");
valueField.setAccessible(true);
String value = valueField.get(obj).toString();
Class intClass = Class.forName(type);
Constructor intCons = intClass.getConstructor(String.class);
Integer i = (Integer) intCons.newInstance(value.toString());
System.out.println(i);
} catch (Exception e) {
e.printStackTrace();
}
}
注意:从这个问题得到了帮助。
UPDATE:现在从Object obj
中获取type
和value
。
这将从您的对象中检索type
字段的值:obj.getClass().getDeclaredField("type").get(obj);
.
可以,您可以使用Class.forName
。
例如,考虑一个Person而不是Integer——
public static String getObjectType()
{
return "Person";
}
final String type = getObjectType();
Class.forName(type); //returns the `Person.class`, if Person.class is in classpath if not throws a `ClassNotFoundException`
要从Person. class中创建Person对象,您可以这样做-
final Person p = Person.class.getConstructor(Integer.class, String.class).newInstance(age, name);