问题描述
我试图通过Java解决LinkedList的问题,但是我发现了静态内部类的概念,因此我被困在这里!
我的代码正常工作,但无法理解如何创建静态类对象
public class findNthNodeInLL {
static class Node {
int data;
Node next;
Node(int data) {
this.data = data;
next = null;
}
}
int findNthNode(Node head, int count) {
int pos = 0;
Node ptr = head;
while(ptr != null && pos != count) {
pos++;
ptr = ptr.next;
}
return ptr.data;
}
public static void main(String[] args) {
findNthNodeInLL ll = new findNthNodeInLL();
Node head = new Node(1);
head.next = new Node(2);
head.next.next = new Node(3);
head.next.next.next = new Node(4);
head.next.next.next.next = new Node(5);
System.out.println(ll.findNthNode(head,3));
}
}
内部类对象(即head)的创建没有外部类的任何引用。 甚至在没有任何外部类引用的情况下,甚至调用了构造函数并创建了内存。
这里的实际情况是什么? 怎么了? 为什么我们不对内部类构造函数或对象使用任何外部类引用?
也许我缺少了一些东西。 请帮助我了解这里的情况。
1楼
您在外部类本身内部使用了静态类,因此不要放入封闭的类名。 静态嵌套类的行为类似于任何静态字段。
但是,如果要在外部类外部实例化静态嵌套类,则必须在其定义上放置封闭的类名称或使用对外部类的引用。
例如 :
public class Main {
static class NodeInside {
int data;
NodeX.Node next;
NodeInside(int data) {
this.data = data;
next = null;
}
}
public static void main(String[] args) {
NodeX ll = new NodeX();
NodeX.Node head = new NodeX.Node(1); // need to put the enclosing class name
NodeInside nodeInside = new NodeInside(1); // no need to put the enclosing class
}
}
class NodeX{
static class Node {
int data;
Node next;
Node(int data) {
this.data = data;
next = null;
}
}
}