这些天我正在使用CS61b。而且我陷入了访问控制的讲座。我在变量first和类IntNode上的“ private”关键字无法正常工作。
在Google上进行搜索,但没有找到任何内容。
public class SLList {
private IntNode first;
/**
* If the nested class never uses any instance variables or methods of the outer
* class, declare it static.
*/
private static class IntNode {
public IntNode next;
public int item;
public IntNode(int i, IntNode n) {
next = n;
item = i;
}
}
public SLList(int x) {
first = new IntNode(x, null);
}
public void addFirst(int x) {
first = new IntNode(x, first);
}
public int getFirst() {
return first.item;
}
/** ----------------SIZE---------------------- */
private int size(IntNode L) {
if (L.next == null) {
return 1;
}
return 1 + size(L.next);
}
public int size() {
return size(first);
}
/**-------------------SIZE------------------- */
/**---------------add LAST ------------------*/
/** how to solve null pointer expectation? */
public void addLast(int x) {
IntNode p=first;
while(p.next!=null){
p=p.next;
}
p.next=new IntNode(x, null);
}
/**---------------add LAST ------------------*/
public static void main(String[] args) {
SLList L = new SLList(5);
L.addFirst(10);
L.addFirst(15);
System.out.println(L.getFirst());
System.out.println(L.size());
L.addLast(20);
L.first.next.next = L.first.next; /** <----- I can still get√ access to first. */
}
}
我应该有错误:首先在SLList中有私有类, 但我没错。
答案 0 :(得分:1)
请参见Java Language Specification §6.6.1:
仅当可访问类型并且声明该成员或构造函数允许访问时,才可以访问引用类型的成员(类,接口,字段或方法)或类类型的构造函数。
(强调我的)
由于您对first
的访问属于同一顶级类型,因此您可以访问它而不会遇到任何问题,错误或其他任何问题。