phenomax
phenomax

Reputation: 35

Instantiate a class - java


I have an enum class with the params id and Class.

ENUM1(1, class.class);

private int id;
private Class<?> clazz;

ENUM(int id, Class<?> clazz) {
    this.id = id;
    this.clazz = clazz;

}

The class implements an abstract interface.
But how can i access the public methods of the "class.class"?

Thanks in advance!

Upvotes: 0

Views: 66

Answers (2)

Karthik R
Karthik R

Reputation: 5786

You can do this following from the Class using reflection API.

Object obj = object.getClass().newInstance();//instantiates using default constructor provided that there are no checked exceptions thrown. Consider `Constructor` instead
object.getClass().getDeclaredMethod("ImPublicMethodName", param1, param2).invoke(object);

Upvotes: 1

Dennis Hunziker
Dennis Hunziker

Reputation: 1293

Considering Why is Class.newInstance() "evil"? I'd use something like:

    Constructor<?> ctor = clazz.getDeclaredConstructor();
    Object obj = ctor.newInstance();
    Method method = clazz.getDeclaredMethod("yourMethod");
    method.invoke(obj);

The getDeclaredXZY methods optionally take the types of arguments as well.

Upvotes: 1

Related Questions