Enable Javascript in your browser and then refresh this page, for a much enhanced experience.
First solution in Uncategorized category for The Defenders by vvm70
# Taken from mission Army Battles
# Taken from mission The Warriors
class Warrior:
health = 50
attack = 5
@property
def is_alive(self):
return self.health > 0
class Knight(Warrior):
attack = 7
class Defender(Warrior):
health = 60
attack = 3
defence = 2
def fight(unit_1, unit_2):
while unit_1.is_alive and unit_2.is_alive:
if isinstance(unit_2, Defender):
if unit_1.attack > unit_2.defence:
unit_2.health -= (unit_1.attack - unit_2.defence) * unit_1.is_alive
else:
unit_2.health -= unit_1.attack * unit_1.is_alive
if isinstance(unit_1, Defender):
if unit_2.attack > unit_1.defence:
unit_1.health -= (unit_2.attack - unit_1.defence) * unit_2.is_alive
else:
unit_1.health -= unit_2.attack * unit_2.is_alive
return unit_1.is_alive
class Army:
def __init__(self):
self.units = []
def add_units(self, unit, number):
self.units.extend((unit) for i in range(number))
class Battle:
def fight(self, army1, army2):
unit1 = object.__new__(army1.units.pop())
unit2 = object.__new__(army2.units.pop())
while len(army1.units) and len(army2.units) or unit1.is_alive and unit2.is_alive:
if fight(unit1, unit2) and len(army2.units):
unit2 = object.__new__(army2.units.pop())
elif len(army1.units):
unit1 = object.__new__(army1.units.pop())
return unit1.is_alive
if __name__ == '__main__':
#These "asserts" using only for self-checking and not necessary for auto-testing
#fight tests
chuck = Warrior()
bruce = Warrior()
carl = Knight()
dave = Warrior()
mark = Warrior()
bob = Defender()
mike = Knight()
rog = Warrior()
lancelot = Defender()
assert fight(chuck, bruce) == True
assert fight(dave, carl) == False
assert chuck.is_alive == True
assert bruce.is_alive == False
assert carl.is_alive == True
assert dave.is_alive == False
assert fight(carl, mark) == False
assert carl.is_alive == False
assert fight(bob, mike) == False
assert fight(lancelot, rog) == True
#battle tests
my_army = Army()
my_army.add_units(Defender, 1)
enemy_army = Army()
enemy_army.add_units(Warrior, 2)
army_3 = Army()
army_3.add_units(Warrior, 1)
army_3.add_units(Defender, 1)
army_4 = Army()
army_4.add_units(Warrior, 2)
battle = Battle()
assert battle.fight(my_army, enemy_army) == False
assert battle.fight(army_3, army_4) == True
print("Coding complete? Let's try tests!")
July 30, 2020