You need to create an instance of a class whose class name you do not know at design/implementation time. You’ll be supplied with the class name during runtime, in other words, your program will NOT know which class to instantiate until it is executing.
This is a common scenario for many a frameworks and products as they need to create instances of user defined classes of which the framework authors have no knowledge of. Hence, the framework can’t use the new operator to create such instances. As an example, a Servlet Container needs to create instances of Servlet classes defined by servlet developers. How does the servlet container do that? Can we do the same in our programs?
Yes and here is how:
Say, DynamicInstantiation.java needs to create an instance of a class supplied to it as a command line argument as follows:
java DynamicInstantiation com.sun.cust.CustomerImpl
Here is how DynamicInstantiation can instantiate CustomerImpl class or any other class that is supplied to it by using Java’s Reflection API:
Class c = Class.forName(className); c.newInstance();
Here is the complete implementation of DynamicInstantiation class:
public class DynamicInstantiation { public Object createInstance(String className) throws Exception { Class c = Class.forName(className); return c.newInstance(); } public static void main(String args) throws Exception { if(args.length != 1) { System.err.println("Usage: java DynamicInstantiation <class_name>"); return; } DynamicInstantiation di = new DynamicInstantiation(); Object o = di.createInstance(args); System.out.println("Instance of " + args + " created."); }}
Things to Note:
1. Similar to any Java class, JVM should be able to locate the user defined class using CLASSPATH.
2. The user defined class must define a public default constructor.
3. You must supply fully qualified class name to Class.forName().
Charlie has over a decade of experience in website administration and technology management. As the site admin, he oversees all technical aspects of running a high-traffic online platform, ensuring optimal performance, security, and user experience.
Related Posts
- Apple announces iPhone 16 event for September
- Perforce Introduces Helix GitSwarm: Flexible Git Ecosystem Mirrored to a Powerful Mainline Repository
- Finding the Java Version Programatically
- Embarcadero Brings Millions of C++ and Delphi Developers to Windows 10 with its Latest RAD Product Release
- USC names Molinaroli College of Engineering























