# any help is greatly appreciated new to this stuff
def total_bases(int1,int2,int3,int4):
"""(int, int, int, int) -> integer
Return the total number of bases covered
>>>total_bases(2,3,4,5)
40
"""
return int1+2*int2+3*int3+4*int4
def slugging_percentage(total_bases,int5):
""" (total_bases, int5) -> float # so for instance i need the product of the first function for the second function
Return the slugging percentage given the total number of bases covered and the total number at bat(int5)
>>>slugging_percentage(20,9)
2.22
"""
return total_bases/int5
def on_base_percentage(h,bb,hbp,ab,sf):
"""(int,int,int,int,int) -> float
Return the on-base percentage given the hits, base on balls, hit by pitch, at bats and sacrfice hits
>>>on_base_percentage(1,2,3,4,5)
0.43
"""
return (h+bb+hbp)/(ab+bb+hbp+sf)
def on_base_plus_slugging(on_base_percentage,slugging_percentage):
"""(float,float) -> float # as well as for this
Return the on-base plus slugging given the on-base percentage and the slugging percentage
>>>on_base_plus_slugging(1.0,2.0)
3.0
"""
return on_base_percentage+slugging_percentage
def OPS_value(on_base_plus_slugging):
"""(float) -> string
Return the on-base plus slugging value given the on-base plus slugging score range
>>>OPS_value(0.8234)
B
"""
if on_base_plus_slugging > 0.9000:
return "A"
elif on_base_plus_slugging > 0.7667:
return "B"
elif on_base_plus_slugging > 0.7000:
return "C"
else on_base_plus_slugging < 0.7000:
return "F"
elif on_base_plus_slugging == 0.7000:
return "F"
相关问题
- how to define constructor for Python's new Nam
- streaming md5sum of contents of a large remote tar
- How to get the background from multiple images by
- Evil ctypes hack in python
- Correctly parse PDF paragraphs with Python
Functions can return values. You can store those values as variables. Then you can use those values as input to other functions.
I imagine you're trying to calculate the
OPS_value
usingon_base
andslugging
percentages.So you would calculate
on_base
,total_bases
, andslugging
and store the returned values in variables.You then pass in those variables as input to your
OPS_value
function, which returns the final, calculated value.See the below example:
What we're trying to do is keep the math related to calculating each thing
total_bases
,slugging
, etc separate.The other major change from your original code is that you don't need to have a function for just adding two values. You can and should do that in one line.
Save the variable as global is one way.
The other way, which is what I believe you are looking for is to call a function inside of a function. This would look like this:
This will make the variable
num
= 5*2.I hope this helps.