mirror of
https://github.com/chubin/cheat.sheets
synced 2024-11-15 06:12:59 +00:00
ade78aaafb
This seems to be the predominant choice, and matches the last commit I just made, so I went ahead and converted them all, and changed any, - for example, 2-space indents. Let me know if this is undesired. To understand why I chose to do this, please refer to the previous commit's message.
41 lines
1.1 KiB
Plaintext
41 lines
1.1 KiB
Plaintext
# Simple function
|
|
def functionName():
|
|
return True
|
|
|
|
# Function with parameters
|
|
def functionName(a, b):
|
|
if a < b:
|
|
return a
|
|
else:
|
|
return b
|
|
|
|
# Return multiple values
|
|
def functionName(a, b, c):
|
|
return a, b, c # Returns a tuple
|
|
return {'return_a':a, 'return_b':b ,'return_c':c } # Returns a dictionary
|
|
|
|
# Function with default parameters
|
|
def functionName(a=0, b=1):
|
|
print(a, b)
|
|
functionName() # 0 1
|
|
functionName(3) # 3 1
|
|
functionName(3, 4) # 3 4
|
|
|
|
# Calling parameters by name
|
|
def functionName(a, b, c):
|
|
print(a, b, c)
|
|
functionName(0, 1, 2) # 0 1 2
|
|
functionName(a=2, c=3, b=4) # 2 4 3
|
|
functionName(2, 3, c=4) # 2 3 4
|
|
|
|
# Arbitrary number of parameters
|
|
def functionName(*args):
|
|
...
|
|
functionName(*[1, 2]) # Equivalent of functionName(1, 2)
|
|
functionName(*[1, 2, 3]) # Equivalent of functionName(1, 2, 3)
|
|
|
|
# Arbitrary number of parameters with arbitrary name
|
|
def functionName(**kwargs):
|
|
...
|
|
functionName(**{'a' : 3, 'b' : 4}) # Equivalent of functionName(a=3, b=4)
|