Python3 Flashcards

1
Q

How to compare floating point values in python3?

A

python3: use math.isclose() to compare floating point values

The function is part of the math module and is available from Python 3.5 onward.
Useful for comparing floating-point numbers where exact equality is unreliable due to rounding errors.

Numbers close within default tolerance
print(math.isclose(1.000000001, 1.0)) # True

Numbers not close within default tolerance
print(math.isclose(1.0001, 1.0)) # False

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

math.isclose()

python3

A

python3: use math.isclose() to compare floating point values

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

What are 2 things to pay attention to when building a class in python?

A
  1. the first parameter of all instance methods must be self
    def __init__(self, parameter)
  2. when calling methods or attributes within the class, always need self.attributeName or self.method( parameters)
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

How to generate random integers in [1, 2]
python3

A

import random
random.randint(1,2)

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

What does this python3 code do?

import random
random.randint(1,2)

A

It generates random integers within [1, 2]

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

In Python3, how to randomly choose a value from a list?

A

import random
myList = [1,2,3,4,5]
random.choice(myList)

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

In Python3, how to set positive and negative infinitive?

A

float(‘inf’)
float(‘-inf’)

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

What does this code print out?

for value in (1,10):
  print(value)
A

1
10

(1, 10) is a tuple, it iterates through each value in the tuple

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

What does this code do?

y_set = 

sorted(

set( [ value for _, y, l in squares 

for value in (y, y + l)]))
A

the second for loop is wrapped inside the first for loop
the inner loops make use of the variables of the outer loops
value belongs to the innermost loop

How It Works:
1. Iterate through each square → for _, y, l in squares
2. Extract both y and y + l → for value in (y, y + l)
3. Store them in a list → [value for _, y, l in squares for value in (y, y + l)]
4. Convert to a set → set(…) removes duplicates.
5. Sort the set → sorted(…) returns a sorted list.

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

y_values = sorted[set(value for _, y, l in squares for value in (y, y + l))]

what’s wrong with this code?

A

y_values = sorted(set(value for _, y, l in squares for value in (y, y + l))] )

it supposed to use parentheses for sorted( )

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