Module 4 Flashcards

1
Q

Which part of your code lets you place pieces of code that might result in exceptions?

A

The try: branch of a try-except Block

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

What happens when an operation cannot be completed due to a lack of memory?

A

Python raises a Memory error

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

What does yield do?

A

It’s used like return but it released a series of return values over time

So:

def simpleYield():
yield 1
yield 2
yield 3

for val in simpleYield():
print(val)

Output:
1
2
3

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

What is another name for a function that uses yield instead of return?

A

A generator function

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

What does the raise keyword do?

A

It allows you to raise an exception

So you can simulate raising an actual exception

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

What is the output of the following code?

name = ‘John’

def scope_test():
print(name)
global x
x = 123

scope_test()
print(x)

A

John
123

you can define global variables inside a function by using the global keyword

So the print(x) accesses the global variable, x, and prints it.

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

Can you have a variable named the same as a functions’ parameter?

A

Yes. But it’s not a good way to build your code, as it might be confusing later

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

What is the output of the following code?

def nameFunc(name):
print(“hello there,”, name)

name = ‘Cass’
nameFunc(‘William’)
print(name)

A

hello there, William
Cass

The parameter named ‘name’ is a completely different entity from the variable named ‘name’

So Python will not confuse the two. Though it is not a good way to write your code, as it could become confusing

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

Can functions and variables have the same name?

A

No.

It may cause unforeseen logic errors and exceptions

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

How do you write a valid except clause?

A

except ExceptionName as ExceptionVar

So, for example, a ZeroDivision except clause would be:

except ZeroDivisionErorr as e

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