44. *args and **kwargs = Whaat?
2/6/2025
As I continue learning Python, I get to be amazed at the ingenuity of humans. I mean, who but not a human would come up with a name such as *args and **kwargs ?
What are these? At first, I thought that they are just a concept that is not that important and will disappear.
That was just wrong!
These things called *args and **kwargs are quite useful, they give you the positivity to pass a variety of positional arguments to a function.
What are positional arguments? It means that the values passed through those arguments are passed to parameters by their position.
In this example :
def my_sum(*args):
result = 0
for x in args:
result += x
return result
You can pass any number of arguments, they don’t need to be defined before. We can even call them whatever else name like *numbers. But the unpacking operator(*) needs to be there. The result will be an object that is a tuple, not a list. I should investigate these tuples more, they have a funny name as well :)
The **kwargs are keyword arguments.
This means that they accept name arguments.
def connect(**kwargs):
result = “ ”
for arg in kwargs.values()
result += arg
return result
When we call the function, we can pass determined arguments as in :
print(connect(a=”Hello”, b=”There”)) > HelloThere
We can call the kwargs anything else but remember to use the unpacking operator (**).
Ok, now we can *args and **kwargs as much as we want :)