如果一个类是私有的,那么构造函数也必须是私有的吗?
5 回答
不,没有这样的限制。参见JLS §8.8.3。构造函数修饰符。
值得指出的是,只能声明一个嵌套类private
。JLS 允许此类的构造函数使用任何有效的访问修饰符。
如果您的意思是嵌套类,答案是否定的。将内部类设为私有使其只能在外部类中使用。
编辑:看起来外部类可以完全访问内部类的内部,而不管它们的访问修饰符如何。这使我的上述推理无效,但无论如何,没有这样的限制。奇怪的是,现在看来,如果内部类是private
,那么它的构造函数本质上就是 private
,而不管它的访问修饰符是什么,因为没有其他人可以调用它。
不,它没有。相反,如果您使用外部类的私有构造函数(私有类的默认构造)创建内部类的实例,Java 将创建一个附加类以防止访问冲突并让 JVM 满意
如果你编译这个类
class Test {
private class Test2 {
Test2() {
}
}
Test() {
new Test2();
}
}
javac会创建Test.class,Test@Test2.class
如果你编译这个类
class Test {
private class Test2 {
}
Test() {
new Test2();
}
}
javac 将创建 Test.class、Test@Test2.class、Test$1.class
不,它不是固定的,您可以将其设置为私有/公共/任何您想要的。
但在某些情况下,当您不想让其他类创建此类的对象时,我更喜欢将构造函数设为私有。那么在这种情况下,您可以通过将构造函数设置为私有来执行此类操作。
private class TestClass{
private TestClass testClass=null;
private TestClass(){
//can not accessed from out side
// so out side classes can not create object
// of this class
}
public TestClass getInstance(){
//do some code here to
// or if you want to allow only one instance of this class to be created and used
// then you can do this
if(testClass==null)
testClass = new TestClass();
return testClass;
}
}
顺便说一句,这取决于您的要求。
它不必是私有的。但它可以。例子:
public class Outer {
// inner class with private constructor
private class Inner {
private Inner() {
super();
}
}
// this works even though the constructor is private.
// We are in the scope of an instance of Outer
Inner i = new Inner();
// let's try from a static method
// we are not in the scope of an instance of Outer
public static void main(String[] args) {
// this will NOT work, "need to have Inner instance"
Inner inner1 = new Inner();
// this WILL work
Inner inner2 = new Outer().new Inner();
}
}
// scope of another class
class Other {
// this will NOT work, "Inner not known"
Inner inner = new Outer().new Inner();
}
如果您在私有内部类上使用private
或构造函数,这没有什么区别。public
原因是内部类实例是外部类实例的一部分。这张照片说明了一切:
请注意,我们谈论的是内部类。如果嵌套类是static
,官方术语是静态嵌套类,这与内部类不同。无需外部类实例,只需调用即可访问公共静态嵌套类new Outer.Inner()
。有关内部类和嵌套类的更多信息,请参见此处。http://docs.oracle.com/javase/tutorial/java/javaOO/nested.html