我似乎无法弄清楚我的代码有什么问题以及为什么我没有得到任何结果。我似乎也无法弄清楚如何扩展矩形。
这是说明:
创建一个名为expand
的方法,该方法获取偏移值并返回在所有方向上以偏移量展开的矩形的副本。
>>> r = Rectangle(30, 40, 100, 110)
>>> print(r)
Rectangle(30, 40, 100, 110)
>>> r1 = r.expand(offset=3)
>>> print(r1)
Rectangle(27, 37, 106, 116)
不应修改原始矩形。
>>> print(r)
Rectangle(30, 40, 100, 110)
负值应返回缩小的矩形。
>>> r2 = r.expand(-5)
>>> print(r2)
Rectangle(35, 45, 90, 100)
这是我到目前为止所做的:
class Rectangle:
def __init__(self, initx, inity, initw, inith):
self.x = initx
self.y = inity
self.w = initw
self.h = inith
def __str__(self):
return('Rectangle(' + str(self.x) + ',' + str(self.y) + ','
+ str(self.w) + ',' + str(self.h)+')')
def right(self):
return self.x + self.w
def top(self):
return self.y + self.h
def size(self):
return '(' + self.w + ',' + self.h+ ')'
def position(self):
return '(' + self.x + ',' + self.y + ')'
def area(self):
return self.w * self.h
def expand(self):
# can't figure this part out
r = Rectangle(5,10,50,100)
r2 = Rectangle(5,10,50,100)
r3 = Rectangle(3,5,10,20)
r4 = Rectangle(12,10,72,35)
r5 = Rectangle(5,7,10,6)
r6 = Rectangle(1,2,3,4)
print(r2)
print(r3.right())
print(r4.right())
print(r5.top())
print(r6.size())
print(r6.position())
print(r6.area())
答案 0 :(得分:1)
def expand(self,expand):
return Rectangle(self.x - expand, self.y - expand, self.w + 2*expand,
self.h + 2*expand)
或者对未来超载更通用....
def expand(self,expand):
return type(self)(self.x - expand, self.y - expand, self.w + 2*expand,
self.h + 2*expand)
而且......负面维度怎么样?也许最好在构造函数中修复它:
def __init__(self, initx, inity, initw, inith):
self.x = initx
self.y = inity
self.w = max(0,initw)
self.h = max(0,inith)
最后,我们可以讨论问题的主题:似乎无法从我的课程中获得输出。也许是一个缩进问题,我将通过我的方法和修复缩进问题重写您的脚本。
class Rectangle:
def __init__(self, initx, inity, initw, inith):
self.x = initx
self.y = inity
self.w = max(0,initw)
self.h = max(0,inith)
def __str__(self):
return('Rectangle(' + str(self.x) + ',' + str(self.y) + ','
+ str(self.w) + ',' + str(self.h)+')')
def right(self):
return self.x + self.w
def top(self):
return self.y + self.h
def size(self):
return '(' + self.w + ',' + self.h+ ')'
def position(self):
return '(' + self.x + ',' + self.y + ')'
def area(self):
return self.w * self.h
def expand(self,expand):
return type(self)(self.x - expand, self.y - expand, self.w + 2*expand,
self.h + 2*expand)
r = Rectangle(5,10,50,100)
r2 = Rectangle(5,10,50,100)
r3 = Rectangle(3,5,10,20)
r4 = Rectangle(12,10,72,35)
r5 = Rectangle(5,7,10,6)
r6 = Rectangle(1,2,3,4)
print(r2)
print(r3.right())
print(r4.right())
print(r5.top())
print(r6.size())
print(r6.position())
print(r6.area())
现在它应该按预期工作。在您的代码中,您已将变量定义和print
语句放在类定义中。
答案 1 :(得分:0)
您需要使用由偏移量添加的矩形点从展开中创建新对象。
def expand(self, offset):
# can't figure this part out
return type(self)(self.x - offset, self.y - offset
self.w + offset, self.h + offset)