设置
我正在用python编写一个类来处理一个二维的布尔数组。在class Grid(object):
def __init__(self, length):
self.length = length
self.grid = [[False]*length for i in range(length)]
def coordinates(self, index):
return (index // self.length, index % self.length)
有时在我的应用程序中,通过项目的坐标来访问它是有意义的,但有时通过它的索引访问一个项目更有意义。我还经常需要一次伪造或篡改一批物品。在不使课程变得复杂的情况下,我可以这样做:
^{pr2}$
第一步
当然,我想在我的Grid对象中添加一些mutator方法,这样我就不必直接访问对象内部并编写一堆循环:def set_coordinate(self, row, col, value):
self.grid[row][col] = bool(value)
def set_index(self, i, value):
coords = self.coordinates(i)
self.set_coordinates(coords[0], coords[1], value)
def set_coordinates(self, coordinates, value):
for row, col in coordinates:
self.set_coordinate(row, col, value)
def set_indices(self, indices, value):
for i in indices:
self.set_index(i, value)
访问器方法也很简单。我可能还想添加一些语义上有意义的别名:def truthify_coordinate(self, row, col):
self.set_coordinate(row, col, True)
def falsify_coordinate(self, row, col):
self.set_coordinate(row, col, False)
def truthify_coordinates(self, coordinates):
self.set_coordinates(coordinates, True)
... etc ...
想法
我想创建一个名为set_item的方法,其中的位置可以是长度为2的iterable,表示坐标或一个标量索引。在def set_item(self, location, value):
try:
location = self.coordinates(location)
except TypeError:
pass
self.set_coordinates(location[0], location[1], value)
利与弊
这样做的好处是(显然)我不需要指定位置是一对坐标还是索引,所以当我一次设置一批位置时,它们不必都是同一时间。例如,以下内容:indices = [3, 5, 14, 60]
coordinates = [(1, 7), (4, 5)]
g.truthify_indices(indices)
g.truthify_coordinates(coordinates)
变成locations = [3, 5, (1, 7), 14, (4, 5), 60]
g.truthify(locations)
在我看来,这本书更干净,更容易阅读和理解。在
缺点之一是像g.truthify((2, 3))这样的东西很难马上破译(它是设置一个坐标还是两个索引?)。可能还有更多我没想到的。在
问题
实现这个想法是Python式的吗?还是我应该坚持明确区分索引和坐标?在