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

2024-10-02 12:38:30 发布

您现在位置:Python中文网/ 问答频道 /正文

嘿,伙计们,我想用Heron公式找出三角形的面积,即面积=sqrt(s(s-l1)(s-l2)(s-l3))。对于这一点,我需要检查给定的边是否与我得到的三角形相加

但是,我不知道如何在继承的类中使用它

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

使用的命名法 1) l1、l2、l3:三角形的 2) Checktri方法用于检查给定边的总和是否为三角形 3) Areatri是继承的Triangledim类,其中需要查找区域

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)

Tags: theselfl1returninitdefmathsqrt
1条回答
网友
1楼 · 发布于 2024-10-02 12:38:30

您可能需要以下代码:

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

如果您想使用heritage,以下内容将为您提供帮助:

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

相关问题 更多 >

    热门问题