我读到无法从构造函数是私有的类创建子类,但奇怪的是我能够做到这一点,这段代码还有什么更多内容吗?
请有人提供易于理解的信息。令人满意的解释。
public class app {
public static void main(String[] args) {
app ref = new app();
myInheritedClass myVal = ref.new myInheritedClass(10);
myVal.show();
}
int myValue = 100;
class myClass {
int data;
private myClass(int data) {
this.data = data;
}
}
class myInheritedClass extends myClass {
public myInheritedClass(int data) {
super(data);
}
public void show() {
System.out.println(data);
}
}
}
我在https://www.compilejava.net/上运行了此代码段,输出为10。
答案 0 :(得分:8)
因为您的类都是嵌套类(在您的情况下,特别是内部类),这意味着它们都是包含类的一部分,因此具有访问权限包含类的所有私有内容,包括彼此的私有位。
如果它们不是嵌套类,则无法访问子类中的超类私有构造函数。
有关Oracle Java站点上nested class tutorial的嵌套类的更多信息。
这是编译,因为A
和B
是内部类,它们是嵌套类(live copy):
class Example
{
public static void main (String[] args) throws java.lang.Exception
{
System.out.println("Ran at " + new java.util.Date());
}
class A {
private A() {
}
}
class B extends A {
private B() {
super();
}
}
}
这是编译,因为A
和B
是静态嵌套类(live copy):
class Example
{
public static void main (String[] args) throws java.lang.Exception
{
System.out.println("Ran at " + new java.util.Date());
}
static class A {
private A() {
}
}
static class B extends A {
private B() {
super();
}
}
}
此无法编译,因为A
的构造函数是私有的; B
无法访问它(在这种情况下我真的不需要Example
,但我已将其包含在上面的两个中,因此对于上下文...)(live copy):
class Example
{
public static void main (String[] args) throws java.lang.Exception
{
System.out.println("Ran at " + new java.util.Date());
}
}
class A {
private A() {
}
}
class B extends A {
private B() {
super(); // COMPILATION FAILS HERE
}
}