OOP in Python (numbers, strings, lists)
Python is Object Oriented in a different way. You can get by without creating your own classes for a very long time in your programming career, but you are actually using features of the OOP nature of Python from the beginning.
In Python they say "everything is an object" and what they mean is that everything, including literal values such as numbers or strings, or variables holding a list are instances of some class and that they all the features an instance has. Most importantly they have methods. Methods are just function that are used in the "object.method()" notation instead of the "function( parameter )" notation.
Some of these methods change the underlying object (e.g. the append method of lists), some will return a copy of the object when the object is immutable. (e.g. the capitalize method of strings).
examples/oop/examples.py
# numbers print((255).bit_length()) # 8 print((256).bit_length()) # 9 x = 255 print(x.bit_length()) x = 256 print(x.bit_length()) # strings print( "hello WOrld".capitalize() ) # Hello world print( ":".join(["a", "b", "c"]) ) # a:b:c # lists numbers = [2, 17, 4] print(numbers) # [2, 17, 4] numbers.append(7) print(numbers) # [2, 17, 4, 7] numbers.sort() print(numbers) # [2, 4, 7, 17]