Pages

Tuesday, May 10, 2022

[] #Python Underscores Explained Inbox

 Single and double underscores have a meaning in Python’s variable and method names.

In this article, we’ll discuss the five underscore patterns and how they affect the behavior of Python programs. Understanding these concepts will help a lot, especially when writing advanced code.

  • Single leading underscore: _var
  • Single trailing underscore: var_
  • Double leading underscore: __var
  • Double leading and trailing underscore: __var__
  • Single underscore: _

Single Leading Underscore: _var

The underscore prefix before the variable/method name indicates to a programmer that it is for internal use only. Here, the name prefixed by an underscore is treated as non-public.

Python does not have a strong note between private and public variables/function like Java. It’s as if a programmer put up an underscore warning sign that verbalizes: “Hey, this isn’t meant to be a part of the public interface of this class. Best to leave it alone.”

Let’s look at the below example:

class Person:
def __init__(self):
self.name = 'Prashant'
self._age = 26

Let’s try to access the name and _age:

>>> p = Person()
>>> p.name
'Prashant'
>>> p._age
26

So, a single underscore prefix in Python does not impose any restrictions on accessing a variable.


Single Trailing Underscore: var_

Python has some default keywords that we cannot use as the variable name. To avoid such conflict with Python keywords or built-ins, we use underscore after the name.

Let’s look at the below example:

def method(name, class='Classname'):
^
SyntaxError: invalid syntax

SyntaxError because class is a keyword in Python. So, here, we can put _ after the class:

def method(name, class_='Classname'):
pass

The single trailing underscore allows us to use something that would otherwise be a Python keyword. Such as:

As_
With_
For_
In_

Double Leading Underscore (Name Mangling): __var

A double leading underscore causes the Python interpreter to rewrite the attribute name to avoid conflicts of attribute names between classes.

The interpreter replaces the double prefix underscore name with _Employee__id (as per the below example) as a way to ensure that the name will not overlap with a similar name in subclasses.

For a better understanding, look at the below example:

class Employee:
def __init__(self):
self.name = 'Prashant'
self._age = 26
self.__id = 11

Let’s try to access the name_age, and __id:

Why did we get that AttributeError here when accessing __id? Because name mangling turns out the __id object. Let’s get the attributes list using the built-in dir().

>>> dir(p)
['_Employee__id', '__class__', ..........., '_age', 'name']
>>> p._Employee__id
11

As you can see, __id is mangled to _Employee__id. This is the name mangling that has been applied by the Python interpreter. It avoids the variable from getting overridden in subclasses.

Now, let’s define a subclass and define the same variable name as we used in Employee.

class Employer(Employee):
def __init__(self):
Employee.__init__(self)
self.__id = 25

Here, we created a subclass (Employer) of Employee.

>>> emp = Employer()
>>> dir(emp)
['_Employee__id', '_Employer__id', '__class__',.........,'_age', 'name']

We can’t easily override Employee’s __id variable.

Its actual meaning is to name mangle to prevent accidental access.


Double Leading and Trailing Underscore: __var__

Names surrounded by a double underscore prefix and postfix are called magic methods or dunder ("Double UNDERscore").

Such as the __init__ method for object constructors, or the __call__ method to make an object callable.

Built-in classes in Python define many magic methods. You can use the dir() function to see the number of magic methods inherited by a class.

For example, the following list contains all the attributes and methods defined in the int class.

dir(int)
['__abs__', '__add__', '__and__', '__bool__', '__ceil__', '__class__', '__delattr__', '__dir__', '__divmod__', '__doc__', '__eq__', '__float__', '__floor__', '__floordiv__', '__format__', '__ge__', '__getattribute__', '__getnewargs__', '__gt__', '__hash__', '__index__', '__init__', '__init_subclass__', '__int__', '__invert__', '__le__', '__lshift__', '__lt__', '__mod__', '__mul__', '__ne__', '__neg__', '__new__', '__or__', '__pos__', '__pow__', '__radd__', '__rand__', '__rdivmod__', '__reduce__', '__reduce_ex__', '__repr__', '__rfloordiv__', '__rlshift__', '__rmod__', '__rmul__', '__ror__', '__round__', '__rpow__', '__rrshift__', '__rshift__', '__rsub__', '__rtruediv__', '__rxor__', '__setattr__', '__sizeof__', '__str__', '__sub__', '__subclasshook__', '__truediv__', '__trunc__', '__xor__', 'bit_length', 'conjugate', 'denominator', 'from_bytes', 'imag', 'numerator', 'real', 'to_bytes']

As you can see above, the int class includes various magic methods. Let’s take an example:

>>> num=10
>>> num+5
15
>>> num.__add__(5)
15

Single Underscore: _

Per convention, a single, standalone underscore is sometimes used as a name to indicate that a variable is temporary or insignificant.

For example, in the following loop, we don’t need access to the running index and we can use _ to indicate that it is just a temporary value:

for _ in range(2):
print('Hey there...')
Hey there...
Hey there...

Again, this meaning is per convention only and there’s no special behavior triggered in the Python interpreter.

Apart from use as a temporary variable, the underscore returns the last value that was evaluated by the interpreter. This means that you can access some computation after the execution and later store it in a variable and use it for something else:

>>> 10+20
30
>>> _
30
>>> _+10
40

I hope that you now understand how and where to use which pattern of underscore in your naming convention.

If you have any suggestions on your mind, please let me know in the comments.

https://groups.io/g/laptrinhvien/message/32