Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Reference an anonymous class?

Tags:

java

class

rcp

I am developing a plugin for an RCP application. Within the plugin.xml, I need to register certain classes at a given extension point. One of these classes is an anonymous (?) class defined like this:

package de.me.mypackage;

import org.something.AnotherClass;

public class ClassOne {
  ...
  public static AnotherClass<ClassOne> getThat() {
    return new AnotherClass<ClassOne>() {
      ...
    };
  }

}

Is there any way to reference AnotherClass<ClassOne> within the plugin.xml?

I already tried something like de.me.mypackage.ClassOne$AnotherClass but that does not work. Do I have to declare that class within its own file to be able to reference it?

like image 838
Antje Janosch Avatar asked Oct 18 '22 19:10

Antje Janosch


2 Answers

As far as I know, it would have a numeric index:

class Bla {
  public static void main(String[] args) {
    (new Runnable() {
      public void run() {
        System.out.println(getClass().getName()); // prints Bla$1
      }
    }).run();
  }
}

After compiling, you get:

$ ls *.class
Bla$1.class Bla.class

That said, you can't rely on the numbering in case the source file is modified.

Can you instead define a static inner class, like:

public class ClassOne {

  public static class MyClass extends AnotherClass<ClassOne> {
    public MyClass(/* arguments you would pass in getThat()? */) {
      ...
    }
    ...
  }

  public static AnotherClass<ClassOne> getThat() {
    return new MyClass(...);
  }
}
like image 144
Vlad Avatar answered Oct 21 '22 14:10

Vlad


I need to say the obvious here - you should make it a named class if you want to refer to it. Whether you can access it otherwise is a technical curiosity (that I don't happen to know the answer to), not something you should actually do in production.

like image 26
djechlin Avatar answered Oct 21 '22 15:10

djechlin