-
Notifications
You must be signed in to change notification settings - Fork 0
/
func.py
72 lines (55 loc) · 1.99 KB
/
func.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
# Default parameters
def my_function(name = "Davide"):
print("Hello from a function! Name: %s" % name)
return name
my_function("Lemuel")
my_function("Luigi")
print(my_function())
# I parametri possono essere dati in qualsiasi ordine diverso dal predefinito.
# In questo caso, l'ordine va specificato come segue:
def my_function(child3, child1, child2):
print("The youngest child is " + child3)
my_function(child1 = "Emil", child2 = "Tobias", child3 = "Linus")
# lambda parameters : expression
x = lambda a, b : a * b
print(x(5, 6))
# Python uses a mechanism, which is known as "Call-by-Object",
# sometimes also called "Call by Object Reference" or "Call by Sharing"
# If you pass immutable arguments like integers, strings or tuples to a function,
# the passing acts like Call-by-value. It's different, if we pass mutable arguments.
# All parameters (arguments) in the Python language are passed by reference.
# It means if you change what a parameter refers to within a function,
# the change also reflects back in the calling function.
student = {
'Archana': 28,
'krishna': 25,
'Ramesh': 32,
'vineeth': 25
}
def test(student):
new = {'alok': 30,'Nevadan': 28}
student.update(new)
print("Inside the function", student)
return
test(student)
print("outside the function:", student)
student = {
'Archana': 28,
'krishna': 25,
'Ramesh': 32,
'vineeth': 25
}
# Nel caso sopra, viene passato PER VALORE, un RIFERIMENTO all'oggetto
# Si può modificare il riferimento all'oggetto senza riflettere le modifiche
# nello scope del chiamante, ma se si aletera l'oggetto tramite i suoi metodi,
# allora i cambiamenti si andranno a riflettere anche nello scope chiamante.
# Se infatti si passa un intero, non si passa un oggetto, ma si passa un tipo "base".
# Se questo viene infatti modificato all'interno della funzione, i cambiamenti non
# si riversano all'esterno dello scope della funzione.
x = 2
def test(x):
x = 3
print("Inside the function", x)
return
test(x)
print("Outside the function:", x)