Approccio orientato agli oggetti
È buona norma rendere la logica di ordinamento degli oggetti, se applicabile, una proprietà della classe anziché incorporata in ogni istanza in cui è richiesto l'ordinamento.
Ciò garantisce coerenza ed elimina la necessità di codice del boilerplate.
Come minimo, è necessario specificare __eq__
e __lt__
operazioni per farlo funzionare. Quindi basta usare sorted(list_of_objects)
.
class Card(object):
def __init__(self, rank, suit):
self.rank = rank
self.suit = suit
def __eq__(self, other):
return self.rank == other.rank and self.suit == other.suit
def __lt__(self, other):
return self.rank < other.rank
hand = [Card(10, 'H'), Card(2, 'h'), Card(12, 'h'), Card(13, 'h'), Card(14, 'h')]
hand_order = [c.rank for c in hand] # [10, 2, 12, 13, 14]
hand_sorted = sorted(hand)
hand_sorted_order = [c.rank for c in hand_sorted] # [2, 10, 12, 13, 14]