1

設定

ブール値の 2 次元正方配列を操作するクラスを 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)

私のアプリケーションでは、座標で項目にアクセスする方が理にかなっている場合もありますが、インデックスで項目にアクセスする方が理にかなっている場合もあります。また、アイテムのバッチを一度に偽造または真実化する必要があることもよくあります。クラスを非常に複雑にすることなく、次のようにできます。

g = Grid(8)

# access by coordinates
g.grid[4][3] = True

# access by index
coords = g.coordinates(55)
g[coords[0]][coords[1]] = True

# truthify a batch of coordinates
to_truthify = [(1, 3), (2, 3), (2, 7)]
for row, col in to_truthify:
    g.grid[row][col] = True

# falsify a batch of indices
to_falsify = [19, 22, 60]
for i in to_falsify:
    coords = g.coordinates(i)
    g.grid[coords[0]][coords[1]] = False

最初のステップ

Grid当然のことながら、オブジェクトの内部に直接アクセスして一連のループを記述する必要がないように、オブジェクトにいくつかのミューテーター メソッドを追加したいと考えています。

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 の反復可能オブジェクトまたはスカラー インデックスのいずれかです。

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)

私の意見では、これははるかにクリーンで読みやすく、理解しやすいものです。

欠点の 1 つは、次のようなものg.truthify((2, 3))をすぐに解読するのが難しいことです (座標または 2 つのインデックスを設定していますか?)。思いもよらなかったことがもっとあるかもしれません。

質問

このアイデアを実装することはPython的なことですか、それともインデックスと座標を明示的に区別することに固執する必要がありますか?

4

1 に答える 1

4

より Pythonic な書き方だと思います:

g.truthify_coordinate(row, col)

書くことができることです:

g[row][col] = True   # or g[row, col] = True

2 番目は、コードを読むときに理解するのがはるかに簡単で、これは Python のより重要なガイドラインの 1 つです。(私は、Pythonic と見なされるものとしての専門家にはほど遠いですが。)

そうは言っても、あなたはnumpyを再開発しているようで、良いツールを再実装することはほとんどの状況で間違いです。numpy を使用しない理由があるかもしれませんが、最初に調査する必要があります。また、その設計は、numpy を使用しないことを選択した場合に、独自のアプローチのアイデアを提供します。

于 2013-10-05T01:43:21.847 に答える