http://wiki.c2.com/?DontRepeatYourself
def myFirstFunc():
print("Running My first func")
myFirstFunc()
myFirstFunc()
def SecondFun():
print("my second func")
myFirstFunc()
SecondFun()
# Passing parameters(arguments)
def add(a, b):
print(a+b)
add(4,6)
add(9,233)
add("Hello ","Riga")
add([1,2,7],list(range(6,12)))
# We make Docstrings with '''Helpful function description inside'''
def mult(a, b):
'''Returns
multiple from first two arguments'''
print("Look ma I am multiplying!")
return(a*b)
print(mult(5,7))
print(mult([3,6],4))
print(mult("ggust", 4))
?mult
def sub(a, b):
print(a-b)
return(a-b)
sub(20, 3)
def add3(a,b,c):
print(a+b+c)
return(a+b+c)
add3(13,26,864)
def isPrime(num):
'''
Super simple method of checking for prime.
'''
for n in range(2,num): #How could we optimize this?
if num % n == 0:
print(f'{num} is not prime, it divides by {n}')
break
else: # runs when no divisors found
print(f'{num} is prime')
isPrime(53)
isPrime(51)
isPrime(59)
def isPrimeO(num):
'''
Faster method of checking for prime.
'''
if num % 2 == 0 and num > 2:
return False
for i in range(3, int(num**0.5) + 1, 2): ## notice we only care about odd numbers and do not need to check past sqrt of num
if num % i == 0:
return False
return True
isPrimeO(23)
%timeit isPrime(100001)
%timeit isPrimeO(100001)
# Why are the tests not comparable?
# Hint: What is different about the function outputs?
import random
def guessnum():
'''
Plays the number guessing game
'''
secret = random.randrange(100)
#print(secret)
x=-1 #Why did we need this declaration? How could we change the code to not require this assignment?
while x != secret:
x = int(input("Enter an integer please! "))
if x > secret:
print("your number is too large")
elif x < secret:
print("your number is too small")
else:
print("YOU WON!")
print(f"secret number is {secret}")
break
guessnum()
## Possible improvements, count how many tries it took to play the game
def lazypow(a, b=2):
'''Returns a taken to the power of b
b default is 2'''
return(a**b)
print(lazypow(3,4))
print(lazypow(11))
#Chaining function calls
print(lazypow(mult(2,6)))
#Returning multiple values
def multdiv(a=6,b=3):
'''Returns two values as a tuple!:
1. multiplication of arguments
2. a/b
'''
return(a*b, a/b)
print(multdiv())
print(multdiv(12))
print(multdiv(b=4))
print(multdiv(15,3))
# we could just return two values separately
def fizzbuzz(a,b,beg=1,end=100):
for i in range(beg,end+1):
if i % a == 0 and i % b == 0:
print("FizzBuzz")
elif i % a == 0:
print("Fizz")
elif i % b == 0:
print("Buzz")
else:
print(i)
#fizzbuzz(3,5)
fizzbuzz(5,7)
def lazybuzz():
print(["Fizz"*(x%3 == 0)+"Buzz"*(x%5 == 0) or x for x in range(1,101)])
lazybuzz()
Create a lazybuzz function which takes four arguments with default values of 3,5 , 1 and 100 representing the two divisors the beggining and end
In computer science, a function or expression is said to have a side effect if it modifies some state outside its scope or has an observable interaction with its calling functions or the outside world besides returning a value.
%%time
import time #this time library has nothing to do with %%time Jupyter command
def hello():
print("HW")
time.sleep(.100)
print("Awake")
hello()
hello()
##Built-in Functions
abs() dict() help() min() setattr()
all() dir() hex() next() slice()
any() divmod() id() object() sorted()
ascii() enumerate() input() oct() staticmethod()
bin() eval() int() open() str()
bool() exec() isinstance() ord() sum()
bytearray() filter() issubclass() pow() super()
bytes() float() iter() print() tuple()
callable() format() len() property() type()
chr() frozenset() list() range() vars()
classmethod() getattr() locals() repr() zip()
compile() globals() map() reversed() __import__()
complex() hasattr() max() round()
delattr() hash() memoryview() set()
args and kwargs are mostly used in function definitions. args and *kwargs allow you to pass a variable number of arguments to a function. What does variable mean here is that you do not know before hand that how many arguments can be passed to your function by the user so in this case you use these two keywords. args is used to send a non-keyworded variable length argument list to the function.
def test_var_args(f_arg, *argv):
print("first normal arg:", f_arg)
for arg in argv:
print("another arg through *argv :", arg)
test_var_args('yasoob','python','eggs','test')
kwargs allows you to pass keyworded variable length of arguments to a function. You should use kwargs if you want to handle named arguments in a function.
def greetMe(**kwargs):
if kwargs is not None:
for key, value in kwargs.items():
print(f"{key} == {value}")
greetMe(name="Valdis",hobby="biking")
# Easy
# Write a function to calculate volume for Rectangular Cuboid (visas malas ir taisnsturas 3D objektam)
def getRectVol(l,w,h):
'''
'''
return None #You should be returning something not None!
getRectVol(2,5,7) == 70
# Medium
# Write a function to check if string is a palindrome
def isPalindrome(s):
'''
'''
return None
print(isPalindrome('alusariirasula') == True)
print(isPalindrome('normaltext') == False)
dir("string")
# One liner is possible! Okay to do it a longer way
# Hints: dir("mystring") for string manipulation(might need more than one method)
# Also remember one "unique" data structure we covered
import string
print(string.ascii_lowercase)
def isPangram(s, a=string.ascii_lowercase):
'''
'''
return None
assert(isPangram('dadfafd') == False)
assert(isPangram("The quick brown fox jumps over the lazy dog") == True)
assert(isPangram("The five boxing wizards jump quickly") == True)
# Functions are first-class citizens in Python.
# They can be passed as arguments to other functions,
# returned as values from other functions, and
# assigned to variables and stored in data structures.
def myfunc(a, b):
return a + b
funcs = [myfunc,print]
funcs[1](funcs[0])
print(funcs[1], print, id(print), id(funcs[1]))
print(myfunc,funcs[0], id(myfunc), id(funcs[0]))
funcs[1](funcs[0](5, 9))
funcs[1]("hello there")
<function myfunc at 0x055B0FA8> <built-in function print> <built-in function print> 1769760 1769760 <function myfunc at 0x055B0FA8> <function myfunc at 0x055B0FA8> 89853864 89853864 14 hello there
int('0x055B0FA8', 10)