我知道使用“new”关键字和 的Class.forName() 但我知道我们可以在编写方法定义时创建对象。 喜欢methodName(对象创建);
答案 0 :(得分:4)
这些是创建对象的所有方法。
方法1:
使用新关键字。这是在java中创建对象的最常用方法。几乎99%的对象都是以这种方式创建的。
Object object = new Object();
方法2:
使用Class.forName()。 Class.forName()
为您提供了类对象,它对于反射非常有用。此对象具有的方法由Java定义,而不是由编写类的程序员定义。每个班级都是一样的。调用newInstance()会给你一个该类的实例(即callingClass.forName(“ExampleClass”)。newInstance()它相当于调用new ExampleClass()),你可以在其上调用类所定义的方法,访问可见字段等。
CrunchifyObj object2 = (CrunchifyObj)
Class.forName("crunchify.com.example.CrunchifyObj").newInstance();
Class.forName()将始终使用调用者的ClassLoader,而ClassLoader.loadClass()可以指定不同的ClassLoader。我相信Class.forName也会初始化加载的类,而ClassLoader.loadClass()方法不会立即执行此操作(直到第一次使用它才会初始化)。
方法3:
使用clone()。 Object::clone()
可用于创建现有对象的副本。
CrunchifyObj secondObject = new CrunchifyObj();
CrunchifyObj object3 = (CrunchifyObj) secondObject.clone();
方法4:
使用Class::newInstance()
方法。请参阅Oracle Tutorial。
Object object4 = CrunchifyObj.class.getClassLoader().loadClass("crunchify.com.example.CrunchifyObj").newInstance();
方法5:
使用Object Deserialization。对象反序列化只不过是从serialized形式创建对象。
// create a new file with an ObjectOutputStream
FileOutputStream out = new FileOutputStream("crunchify.txt");
ObjectOutputStream oout = new ObjectOutputStream(out);
// write something in the file
oout.writeObject(object3);
oout.flush();
// create an ObjectInputStream for the file we created before
ObjectInputStream ois = new ObjectInputStream(new FileInputStream("crunchify.txt"));
CrunchifyObj object5 = (CrunchifyObj) ois.readObject();
方法6:
使用Constructor
软件包中的java.lang.reflect类,Java Reflection工具的一部分。
Class clazz = CrunchifyObj.class;
Constructor crunchifyCon = clazz.getDeclaredConstructors()[0];
CrunchifyObj obj = (CrunchifyObj) crunchifyCon.newInstance();