How to use less than and equal to in an assert statement in python
When I run the following:
growthRates = [3, 4, 5, 0, 3开发者_如何学编程]
for each in growthRates:
print each
assert growthRates >= 0, 'Growth Rate is not between 0 and 100'
assert growthRates <= 100, 'Growth Rate is not between 0 and 100'
I get:
3
Traceback (most recent call last):
File "ps4.py", line 132, in <module>
testNestEggVariable()
File "ps4.py", line 126, in testNestEggVariable
savingsRecord = nestEggVariable(salary, save, growthRates)
File "ps4.py", line 106, in nestEggVariable
assert growthRates <= 100, 'Growth Rate is not between 0 and 100'
AssertionError: Growth Rate is not between 0 and 100
Why is that?
Do:
assert each >= 0, 'Growth Rate is not between 0 and 100'
not:
assert growthRates >= 0, 'Growth Rate is not between 0 and 100'
assert 0 <= each <= 100, 'Growth Rate %i is not between 0 and 100.' % each
Your asserts do not fail of course then, but now the growthRates > 100 because growthRates is list and 0 is integer and 'list'>'integer'.
assert (each >= 0)
not assert (growthRates >= 0)
:-)
You can also use:
growthRates = [0, 10, 100, -1]
assert all(0<=each<=100 for each in growthRates), 'growthRate is not between 0 and 100'
Traceback (most recent call last):
File "any.py", line 2, in <module>
assert all([0<=each<=100 for each in growthRates]), 'growthRate is not between 0 and 100'
AssertionError: growthRate is not between 0 and 100
Test for each instead of the list growthRates.
You could also use:
growthRates = [3, 4, 5, 0, 3]
testRange = range(0,100)
for each in growthRates:
print each
assert each in testRange, 'Growth Rate is not between 0 and 100'
精彩评论