rspec/rules/S3985/python/rule.adoc

43 lines
2.0 KiB
Plaintext
Raw Normal View History

2020-06-30 12:48:39 +02:00
"Private" nested classes that are never used inside the enclosing class are usually dead code: unnecessary, inoperative code that should be removed. Cleaning out dead code decreases the size of the maintained codebase, making it easier to understand the program and preventing bugs from being introduced.
2021-02-02 15:02:10 +01:00
2020-06-30 12:48:39 +02:00
Python has no real private classes. Every class is accessible. There are however two conventions indicating that a class is not meant to be "public":
2021-01-27 13:42:22 +01:00
* classes with a name starting with a single underscore (ex: ``++_MyClass++``) should be seen as non-public and might change without prior notice. They should not be used by third-party libraries or software. It is ok to use those classes inside the library defining them but it should be done with caution.
* "class-private" classes are defined inside another class, and have a name starting with at least two underscores and ending with at most one underscore. These classes' names will be automatically mangled to avoid collision with subclasses' nested classes. For example ``++__MyClass++`` will be renamed as ``++_classname__MyClass++``, where ``++classname++`` is the enclosing class's name without its leading underscore(s). Class-Private classes shouldn't be used outside of their enclosing class.
2020-06-30 12:48:39 +02:00
This rule raises an issue when a private nested class (either with one or two leading underscores) is never used inside its parent class.
== Noncompliant Code Example
----
class Noncompliant:
class __MyClass1(): # Noncompliant
pass
class _MyClass2(): # Noncompliant
pass
----
== Compliant Solution
----
class Compliant:
class __MyClass1():
pass
class _MyClass2():
pass
def process(self):
return Compliant.__MyClass1()
def process(self):
return Compliant._MyClass2()
----
== See
* https://docs.python.org/3.8/tutorial/classes.html#private-variables[Python documentation Private Variables]
* https://www.python.org/dev/peps/pep-0008/#designing-for-inheritance[PEP 8 Style Guide for Python Code]