34 functions in Python
Python has built-in functions like str, print and input. But we can also define our own functions like below.
def say_hello(name):
print("hello " + name)
Here def keyword is used to define function. Among the parenthesizes, we define function arguments. Here only one argument exists that is name. After closing parentheses, we use double column : to finish defining line of function. In python whitespace is important; therefore, after double column, we need to put some whitespace for function code lines.
We can use our defined functions normally.
In [1]: def say_hello(name):
...: print("hello " + name)
...:
In [2]: say_hello("Atilla")
hello Atilla
In [3]: say_hello("Duru")
hello Duru
34.0.1 Example with more parameters
34.0.2 Example with default parameters
34.0.3 Functions returning values
if a function does not return anything, it by default returns none. For example
In [4]: def say_hello(name):
...: print("hello " + name)
...:
...: ret = say_hello("atilla")
...: print(ret)
hello atilla
None
Since say_hello function do not use return keyword, it returns python special type None.
34.1 Swap example
a = 2
b = 4
def swap(a, b):
temp = a
a = b
b = temp
swap(a, b)
print(a, b)