Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Is constructor of private inner class also private?

I'm refactoring an android project which is getting to big. Running lint gives me the JSME issue Private member access between outer and inner classes. Considering the following example

public class Outer {
    private Inner mInner = new Inner();

    private class Inner {}
}

I get the information

Name
   private field Inner mInner

Location
   class Outer (default package)

Problem synopsis
   Access to private member of class 'Inner' at line 2

Problem resolution
   Make 'Inner' constructor package-local

Applying the problem resolution changes the source to

public class Outer {
    private Inner mInner = new Inner();

    private class Inner {
        Inner() {}
    }
}

I'm a little confused at the moment. Until now I thought the example would be equivalent to

public class Outer {
    private Inner mInner = new Inner();

    private class Inner {
        public Inner() {}
    }
}

Am I wrong in this case or is it an issue of lint?

like image 581
tynn Avatar asked Jan 08 '16 14:01

tynn


2 Answers

Section 8.8.9 of the Java language specification, "Default constructor" says:

In a class type, if the class is declared public, then the default constructor is implicitly given the access modifier public (§6.6); if the class is declared protected, then the default constructor is implicitly given the access modifier protected (§6.6); if the class is declared private, then the default constructor is implicitly given the access modifier private (§6.6); otherwise, the default constructor has the default access implied by no access modifier.

like image 166
David Wasser Avatar answered Sep 29 '22 12:09

David Wasser


You're wrong in your understanding, but the linter is not being particularly clear, and the advice probably isn't relevant for Android (which isn't J2ME).

As David explained, the inner class's implicit default constructor has the same access modifier as the class itself, but private members are accessible within the same compilation unit (Java file). There's no language reason to avoid the private constructor.

However, internally, since the classes are compiled into separate output files, the compiler has to create synthetic adapter methods to provide the classes access to the private members. The runtime disadvantage of these methods is irrelevant for desktop applications, but for something as cramped as J2ME, the difference might be worth eliminating by making the member accessible directly (using package scope).

Android performs significant post-processing on the class files, and Android devices are not nearly as constrained as J2ME devices. Unless you're writing code to target both platforms, I'd change the lint configuration.

like image 41
chrylis -cautiouslyoptimistic- Avatar answered Sep 29 '22 10:09

chrylis -cautiouslyoptimistic-