Must qualify the allocation with an enclosing instance of type GeoLocation
I am getting this error as-
No enclosing instance of type GeoLocation is accessible. Must qualify the allocation with an enclosing instance of type GeoLocation (e.g. x.new A() where x is an instance of GeoLocation). This error is coming on new ThreadTask(i). I don't know why is it happening. Any suggestions will be appreciated.
public class GeoLocation {
public static void main(String[] args) throws InterruptedException {
int size = 10;
// create thread pool with given size
ExecutorService service = Executors.newFixedThreadPool(size);
// queue some tasks
for(int i = 0; i < 3 * size; i++) {
service.submit(new ThreadTask(i));
}
// wait for termination
service.shutdown();
service.awaitTermination(Long.MAX_VALUE, TimeUnit.DAYS);
}
class ThreadTask implements Runnable {
private int id;
public ThreadTask(int id) {
this.id = id;
}
public void run() {
System.out.println("I am task " + id);
}
}
}
This error happens because you're trying to create an instance of an inner class service.submit(new ThreadTask(i));
without creating instance of main class..
To resolve this issue please create instance of main class first:
GeoLocation outer = new GeoLocation();
Then create instance of class you intended to call, as follows:
service.submit(outer.new ThreadTask(i));
Another option, and the one I prefer, would be to set the inner class to be static.
public static class ThreadTask implements Runnable { ... }
Make the inline class static
.
public class OuterClass {
static class InnerClass {
}
public InnerClass instance = new OuterClass.InnerClass();
}
Then you can instantiate the inner class as follows:
new OuterClass.InnerClass();