首页 > 解决方案 > 多边形类:查找矩形和三角形的面积和长度

问题描述

我得到了以下代码。

class Polygon:
    '''Class to represent polygon objects.'''

    def __init__(self, points):
        '''Initialize a Polygon object with a list of points.'''
        
        self.points = points

    def length(self):
        '''Return the length of the perimeter of the polygon.'''

        P = self.points
        
        return sum(sqrt((x1 - x0) ** 2 + (y1 - y0) ** 2)
                   for (x0, y0), (x1, y1) in zip(P, P[1:] + P[:1]))

    def area(self):
        '''Return the area of the polygon.'''
        
        P = self.points
        A = 0
        for (x0, y0), (x1, y1) in zip(P, P[1:] + P[:1]):
            A += x0 * y1 - y0 * x1
        return abs(A / 2)

我必须实现__init__两个子类的方法(而不是其他方法);Rectangle并且Triangle可以通过以下方式创建一个矩形:

rectangle = Rectangle(width, height)

和一个三角形:

triangle = Triangle(a, b, c)

Rectangle用以下代码编写了一个:

class Rectangle(Polygon):

    def __init__(self, width, height):
        self.width = width
        self.height = height
        self.points = [(0,0), (0, height), (width, height), (width, 0)]

上面的代码在 input 仅用于Rectangle. 但是,我在为Triangle. 输入应该是ab并且c这些是三角形的边长。我无法弄清楚使用哪些点来生成 的长度和面积Triangle

class Triangle(Polygon):

    def __init__(self, a, b, c):
        self.a = a
        self.b = b
        self.c = c
        self.points = ??

我已经尝试了使用边长的所有点组合,但是没有一个通过测试。

标签: pythonclass

解决方案


看看: https ://www.omnicalculator.com/math/triangle-height#how-to-find-the-height-of-a-triangle-formulas

h = 0.5 * ((a + b + c) * (-a + b + c) * (a - b + c) * (a + b - c))**0.5 / b
ac = (c**2 - h**2)**0.5
self.points = [
  (0, 0),
  (a, 0),
  (ac, h),  
]

在此处输入图像描述

通过获取h然后应用毕达哥拉斯定理,您将获得“第三”点的坐标。前两个是微不足道的:原点和沿其中一个轴的另一个点。

一个小问题:points与其直接设置,不如调用super().__init__(points).


推荐阅读