使用类和继承计算三角形的面积



嘿,伙计们,我正试图用Heron公式求出三角形的面积,即面积=sqrt(s(s-l1((s-l2((s-l3((。为此,我需要检查给定的边是否加起来就是三角形,我有。

然而,我不知道如何在这里的继承类中使用它。

我想做的是从父类中获取输入,并从继承的类中计算面积。感谢您的帮助。

使用的术语1( l1、l2、l3:三角形的边2(Checktri方法用于检查给定边是否相加为三角形3(AreatriTriangledim的继承类,其中需要找出区域

import math
class Triangledim:
def __init__(self, l1, l2, l3):
self.l1 = l1
self.l2 = l2
self.l3 = l3
#Check if the given measurements form a triangle
def checktri(self):
if (self.l1+self.l2>self.l3) & (self.l2+self.l3>self.l1) & (self.l1+self.l3>self.l2):
s = (self.l1 +self.l2+self.l3)/2
return ("Perimeter of the triangle is %f" %s)
else : 
return("not the right triangle proportions") 
class Areatri(Triangledim):
def __init__(self):
Triangledim.__init__(self)
area = math.sqrt(self.s(self.s-self.l1)(self.s-self.l2)(self.s-self.l3))
return area

p=Triangledim(7,5,10)

您可能需要以下代码:

import math
class Triangledim():
def __init__(self, l1, l2, l3):
self.l1 = l1
self.l2 = l2
self.l3 = l3
self.s = (self.l1+self.l2+self.l3) / 2.0
def checktri(self):
if (self.l1+self.l2>self.l3) and (self.l2+self.l3>self.l1) and (self.l1+self.l3>self.l2): 
print("Perimeter of the triangle is: {}".format(self.s))
else: 
print("not the right triangle proportions") 
def findArea(self):
area = math.sqrt(self.s*(self.s-self.l1)*(self.s-self.l2)*(self.s-self.l3))
print("The area of the triangle is: {}".format(area))
if __name__ == "__main__":
p = Triangledim(7,5,10)
p.checktri()
p.findArea()

输出:

Perimeter of the triangle is: 11.0
The area of the triangle is: 16.24807680927192

如果你想使用遗产,以下将为你做的工作:

import math
class Triangledim():
def __init__(self, l1, l2, l3):
self.l1 = l1
self.l2 = l2
self.l3 = l3
self.s = (self.l1+self.l2+self.l3) / 2.0
def checktri(self):
if (self.l1+self.l2>self.l3) and (self.l2+self.l3>self.l1) and (self.l1+self.l3>self.l2): 
print("Perimeter of the triangle is: {}".format(self.s))
else: 
print("not the right triangle proportions") 
class Areatri(Triangledim):
def findArea(self):
area = math.sqrt(self.s*(self.s-self.l1)*(self.s-self.l2)*(self.s-self.l3))
print("The area of the triangle is: {}".format(area))
if __name__ == "__main__":
p = Areatri(7,5,10)
p.checktri()
p.findArea()

输出:

Perimeter of the triangle is: 11.0
The area of the triangle is: 16.24807680927192

最新更新