Respuesta :
The circle design a class which represents a circle in the (x,y) coordinate plane.
What is a circle?
It is described as a set of points, where each point is at the same distance from a fixed point (called the centre of a circle)
from math import dist # to calculate distance between two points
# defining class circle
class Circle:
# constructor of Circle
# with default parameters
def __init__(self, x_coord=0, y_coord=0, radius=1):
self.centre_x = x_coord
self.centre_y = y_coord
self.radius = radius
# getters
def getX(self):
return self.centre_x
def getY(self):
return self.centre_y
def getRadius(self):
return self.radius
# setters
def setX(self, x):
self.centre_x = x
def sety(self, y):
self.centre_y = y
def setRadius(self, r):
self.radius = r
# function to calculate and return area
def getArea(self):
return 3.141*(self.radius**2)
# function to calculate and return perimeter
def getPerimeter(self):
return 2*3.141*self.radius
# calculates the distance between circle centre and
# given coordinates
# returns true if distance is less than radius
def isPointWithinCircle(self, x, y):
return dist([self.centre_x, self.centre_y], [x, y]) < self.radius
c1 = Circle(3, 3, 7)
c2 = Circle()
print("First Circle perimeter: " + str(c1.getPerimeter()))
print("First Circle area: " + str(c1.getArea()))
c2.setX(3)
c2.sety(3)
c2.setRadius(2)
if c2.isPointWithinCircle(4, 3.7):
print("(4, 3.7) is within circle two")
else:
print("(4, 3.7) is not within circle two")
print("Moving second Circle")
c2.setX(3+c2.getX())
if c2.isPointWithinCircle(4, 3.7):
print("(4, 3.7) is within circle two")
else:
print("(4, 3.7) is not within circle two")
Thus, the circle design a class which represents a circle in the (x,y) coordinate plane.
Learn more about circle here:
brainly.com/question/11833983
#SPJ2