Functions Flashcards

1
Q

Functions are objects

A

Python’s functions are first-class objects. You can assign them to variables, store them in data structures, pass them as arguments to other
functions, and even return them as values from other functions

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

Assign function to variable

A

Becuase functions are objects they can be assigned to another varibale
~~~
def speak():
return “woof”

bark = speak
bark() <– returns “woof”
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

Deleting fucntion

A

Function objects and their names are two separate concerns.
You can delete the function’s original name (speak). Since another name (bark) still points to the underlying function, you can still call the function through it:

>>> del speak
>>> speak()
NameError: "name 'speak' is not defined"
>>> bark()
'woof'
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

Function name identifier

A
 bark.\_\_ name \_\_
'yell'

Python attaches a string identifier to every function at
creation time for debugging purposes. You can access this internal
identifier with the __name__ attribute

while the function’s __name__ is still “yell,” that doesn’t affect
how you can access the function object from your code. The name
identifier is merely a debugging aid. A variable pointing to a function
and the function itself are really two separate concerns.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

Function stored in DS

A
funcs = [bark, str.lower, str.capitalize]
>>> for f in funcs:
... print(f, f('hey there'))
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

Function passed to fucntion

A
def greet(func):
greeting = func('Hi, I am a Python program')
print(greeting)

func can be any function
maybe we want to upercase

def upper(txt):
    return txt.upper()
		
greet(upper)
'HI, I AM A PYTHON PROGRAM!'
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
7
Q

Nested functions

A

Python allows functions to be defined inside
other functions. These are often called nested functions or inner functions. Here’s an example:
~~~
def speak(text):
def whisper(t):
return t.lower() + ‘…’
return whisper(text)

> > > speak(‘Hello, World’)
‘hello, world…’
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
8
Q

Functions Can Capture Local State

A

these inner functions
can also capture and carry some of the parent function’s state with them

lexical closures (or just closures, for
short). A closure remembers the values from its enclosing lexical scope even when the program flow is no longer in that scope.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
9
Q
A
How well did you know this?
1
Not at all
2
3
4
5
Perfectly