Ejemplo n.º 1
0
    def __init__(self, game_map, task=TASKS.MINE):
        self.user_interface = UserInterface()
        self.backpack = Backpack()
        self.mine = Mine(self, game_map)
        self.smelt = Smelt(self, game_map)
        self.forge = Forge(self, game_map)

        # Set the default initial task
        self.task = task
        self.action_count = 0
Ejemplo n.º 2
0
    def __init__(self):
        """
            Create a tuple for each tile containing the following properties:
            0: tile data, 1: name
            """
        self.backpack = Backpack()

        try:
            # Load the saved map from disk
            self.game_map = np.loadtxt('map.txt', dtype=int)
        except OSError:
            # Map does not exist, create a new one
            self.game_map = np.ones(shape=(82, 240), dtype="int")
            self.game_map[:, 0:166] = self.TILES.INACCESSIBLE.value
            self.game_map[:, -10:-1] = self.TILES.INACCESSIBLE.value
            self.game_map[0, :] = self.TILES.INACCESSIBLE.value
            self.game_map[-10:-1, :] = self.TILES.INACCESSIBLE.value

        # Initialize the player position
        self.player_position = (0, 0)

        self.templates = []
        # Load all accessible tile templates
        for tile in [
                f for f in os.listdir('./accessible_tiles')
                if f.endswith('.png')
        ]:
            tile_template = cv2.imread('./accessible_tiles/' + tile)
            tile_template = cv2.cvtColor(tile_template, cv2.COLOR_BGR2GRAY)
            self.templates.append(
                [tile_template, 'accessible/' + tile.split('.')[0]])

        # Load all inaccessible tile templates
        for tile in [
                f for f in os.listdir('./inaccessible_tiles')
                if f.endswith('.png')
        ]:
            tile_template = cv2.imread('./inaccessible_tiles/' + tile)
            tile_template = cv2.cvtColor(tile_template, cv2.COLOR_BGR2GRAY)
            self.templates.append(
                [tile_template, 'inaccessible/' + tile.split('.')[0]])

        # Load all NPC tile templates
        for tile in [f for f in os.listdir('./npcs') if f.endswith('.png')]:
            tile_template = cv2.imread('./npcs/' + tile)
            tile_template = cv2.cvtColor(tile_template, cv2.COLOR_BGR2GRAY)
            self.templates.append(
                [tile_template, 'npcs/' + tile.split('.')[0]])
Ejemplo n.º 3
0
 def __init__(self, *args, **kwargs):
     self.context = {}
     name = kwargs.pop("name", "logger")
     self.logger = logging.getLogger(name)
     self.backpack = {}
     self.backpack = kwargs.pop("backpack", Backpack())
     logging.Logger.__init__(self, name, *args, **kwargs)
Ejemplo n.º 4
0
 def __init__(cls):
     """
     Load all data upon creation.
     """
     cls.load()
     # Initialize other variables stored in the registry
     cls.backpack = Backpack(cls)
     cls.loaded = True
Ejemplo n.º 5
0
class Gamer:
    """Постройка игрока."""
    def __init__(self, killed_enemies=0, gamer_type=''):
        self._killed_enemies = killed_enemies
        self._backpack = Backpack()
        self.power = 0
        self._gamer_type = gamer_type
        self._health = random.randint(1, 10)

    def count_killed_enemies(self) -> int:
        self._killed_enemies += 1

    def set_gamer_type(self, gamer_type) -> str:
        self._gamer_type = gamer_type

    def setpower(self, power) -> int:
        self.power = power

    def set_backpack(self) -> int:
        self._backpack = Backpack().get_backpack()

    def set_health(self, health) -> int:
        self._health = health

    def print_specification(self) -> None:
        print(f"Раса - {self._gamer_type}")
        print(f"Жизней {self._health}")

    def update_health(self, enemy_toolpower: int) -> bool:
        self._health = self._health - int(enemy_toolpower)
        self.is_alive()

    def is_alive(self) -> bool:
        if self._health <= 0:
            return False
        else:
            return True

    def save(self) -> Memento:
        """
        Сохраняет текущее состояние внутри снимка.
        """
        return ConcreteMemento(self._health, self._killed_enemies, self._gamer_type, self._backpack.get_backpack().copy())

    def restore(self, memento: Memento) -> None:
        """
        Восстанавливает состояние Создателя из объекта снимка.
        """

        self._health = memento.get_health()
        self._killed_enemies = memento.get_killed_enemies()
        self._gamer_type = memento.get_gamer_type()
        self.power = memento.get_power()
        self._backpack = memento.get_backpack()
        print(f"Восстановлено состояние из тотема ")
Ejemplo n.º 6
0
 def __init__(self, master=None):
     # initialize GUI window
     Frame.__init__(self, master)
     self.b = Backpack()
     self.lost = False
     self.lives = IntVar()
     self.lives.set(5)
     self.itemCount = StringVar()
     self.itemCount.set("Backpack (0/" + str(self.b.itemLimit) + ")")
     self.caption = StringVar()
     self.currentLocation = ("misc\\title.png",
                             "A strange, desolate, world.")
     self.caption.set(self.currentLocation[1])
     self.grid()
     self.pack_propagate(0)
     self.createWidgets()
Ejemplo n.º 7
0
 def __init__(self,
              name=None,
              backpack=Backpack(),
              gold=0,
              current_health=100,
              max_health=100,
              current_coordinate=0,
              damage=10,
              armor=10):
     self.name = name
     self.backpack = backpack
     self.gold = gold
     self.current_health = current_health
     self.max_health = max_health
     self.current_coordinate = current_coordinate
     self.damage = damage
     self.armor = armor
     print(f'Creating new player named: {name}')
Ejemplo n.º 8
0
def main():
    # inicializacia hry
    context = GameContext()
    context.init_game()
    context.backpack = Backpack(2)
    context.backpack.add_item(Whip())
    context.world = world

    commands = [
        About(),
        LookAround(),
        Inventory(),
        Quit(),
        North(),
        South(),
        East(),
        West(),
        Down(),
        # Up(),
        UseItem(),
        DropItem(),
        TakeItem(),
        ExamineItem(),
        Save()
    ]

    commands.append(Commands(commands))
    commands.append(Help(commands))

    parser = Parser(commands)

    print("Indiana Jones")
    context.get_current_room().show()

    while context.state == 'playing':
        line = input('> ')

        try:
            command = parser.parse(line)
            command.exec(context)
        except UnknownCommandException:
            print('Taký príkaz nepoznám.')
Ejemplo n.º 9
0
    def __init__(self, screen: Surface, map_: str, heroes: int, monsters: int,
                 items: int):
        """  Создаёт игру
        :param heroes: колличество героев в игре. Если players_count=0, то создаст читера.
        """
        self.start_time = datetime.now()
        self.screen = screen
        # map
        self.map: Map = self._init_map(map_)  # карта
        self.maps: Group = Group(self.map)
        # sprites
        self.characters: Group = Group()  # спрайты с героями и монстрами
        self.heroes: Group = self._init_heroes(heroes)  # спрайты с героями
        self.monsters: Group = self._init_monsters(
            monsters)  # спрайты с монстрами
        self.items: Group = self._init_items(items)  # спрайты с вещами

        self._start_turn()
        self.dashboard = Dashboard(self)  # приборная панель
        self.backpack: Backpack = Backpack(self)  # рюкзак
        self.controls: Controls = Controls(self)  # help
        self.monsters_killed = 0
Ejemplo n.º 10
0
 def get_backpack(self):
     backpack = Backpack()
     return backpack
Ejemplo n.º 11
0
bridge.set_character(jill)
shed.set_character(jack)
drawing_room.set_character(jim)
general_store.set_character(gaylord)

ballroom.set_item(cheese)
dinning_hall.set_item(book)
kitchen.set_item(apple_pie)
games_room.set_item(breadstick)
drawing_room.set_item(duster)

# Special Command Items
path_pick.set_item(flower)
herb_garden_pick.set_item(herb)

backpack = Backpack(15.0)  # Number determines backpack capacity

current_room = kitchen
dead = False
hugs = 0
fights = 0
favours = 0


print('Welcome to a little adventure')
print('Enter the direction you want to move in or help to see what else I can do')
while not dead:
    print("\n")
    current_room.get_details()

    inhabitant = current_room.get_character()
Ejemplo n.º 12
0
    def __init__(self,filename):
        self.text = self.load_game_test(filename)
        self.backpack = Backpack()

        self.starting_text()
Ejemplo n.º 13
0
def main():
    Backpack(from_file=True)
    BBackpack(from_file=True)
Ejemplo n.º 14
0
 def set_backpack(self) -> int:
     self._backpack = Backpack().get_backpack()
Ejemplo n.º 15
0
|___| |___|||| |___| |___| |___|  | O | O | |  |  |        \    \n\
           |||                    |___|___| |  |__|         )   \n\
___________|||______________________________|______________/    \n\
           |||                                        /-------- \n\
-----------'''---------------------------------------'")
    else:
        slow(
            colored.red(
                'You had heard half-hundred gunshots. Everything went dark.'),
            1)
        sys.exit()
    time.sleep(5)
    sys.exit()


backpack = Backpack()
health = 150
current_room = kolegium
try:
    winsound.PlaySound('retro.wav', winsound.SND_ASYNC)
except:
    import os
    os.system('aplay retro.wav&')  #Linux
print(
    colored.red("\n \
\t\t\t  _____      _          _   __  __ _         _                     \n \
\t\t\t |  __ \    | |        | | |  \/  (_)       (_)                     \n \
\t\t\t | |__) |___| |__   ___| | | \  / |_ ___ ___ _  ___  _ __  ___       \n \
\t\t\t |  _  // _ \ '_ \ / _ \ | | |\/| | / __/ __| |/ _ \| '_ \/ __|       \n \
\t\t\t | | \ \  __/ |_) |  __/ | | |  | | \__ \__ \ | (_) | | | \__ \        \n \
\t\t\t |_|  \_\___|_.__/ \___|_| |_|  |_|_|___/___/_|\___/|_| |_|___/   \n\n\n\n "
Ejemplo n.º 16
0
from backpack import Backpack
from supp.menu import menu

# Deklaracja plecaka i jego pojemności
backpack = Backpack(15)

# Odpalenie menu
menu(backpack)
Ejemplo n.º 17
0
class GameMap:
    """
        This class is used to detect inaccessible tiles in the gameplay
        region and perform actions with them.
        """
    TILE_DIM = 16
    TILES = Enum(
        'Tile',
        'UNKNOWN, ACCESSIBLE, DOOR, GRAVEL, INACCESSIBLE, MOUNTAIN, WEAPON_SHOPKEEPER, ITEM_SHOPKEEPER, POTION_SHOPKEEPER, BANKER, BLACKSMITH, PLAYER'
    )

    def __init__(self):
        """
            Create a tuple for each tile containing the following properties:
            0: tile data, 1: name
            """
        self.backpack = Backpack()

        try:
            # Load the saved map from disk
            self.game_map = np.loadtxt('map.txt', dtype=int)
        except OSError:
            # Map does not exist, create a new one
            self.game_map = np.ones(shape=(82, 240), dtype="int")
            self.game_map[:, 0:166] = self.TILES.INACCESSIBLE.value
            self.game_map[:, -10:-1] = self.TILES.INACCESSIBLE.value
            self.game_map[0, :] = self.TILES.INACCESSIBLE.value
            self.game_map[-10:-1, :] = self.TILES.INACCESSIBLE.value

        # Initialize the player position
        self.player_position = (0, 0)

        self.templates = []
        # Load all accessible tile templates
        for tile in [
                f for f in os.listdir('./accessible_tiles')
                if f.endswith('.png')
        ]:
            tile_template = cv2.imread('./accessible_tiles/' + tile)
            tile_template = cv2.cvtColor(tile_template, cv2.COLOR_BGR2GRAY)
            self.templates.append(
                [tile_template, 'accessible/' + tile.split('.')[0]])

        # Load all inaccessible tile templates
        for tile in [
                f for f in os.listdir('./inaccessible_tiles')
                if f.endswith('.png')
        ]:
            tile_template = cv2.imread('./inaccessible_tiles/' + tile)
            tile_template = cv2.cvtColor(tile_template, cv2.COLOR_BGR2GRAY)
            self.templates.append(
                [tile_template, 'inaccessible/' + tile.split('.')[0]])

        # Load all NPC tile templates
        for tile in [f for f in os.listdir('./npcs') if f.endswith('.png')]:
            tile_template = cv2.imread('./npcs/' + tile)
            tile_template = cv2.cvtColor(tile_template, cv2.COLOR_BGR2GRAY)
            self.templates.append(
                [tile_template, 'npcs/' + tile.split('.')[0]])

    def update_player_position(self, screenshot):
        """To update the player position the following steps are taken.
            1. The sextant is location and used
            2. The coordinates are parsed and normalized
            3. Old player position is removed from map
            4. New player position is added to the map

            If any of these operations fails, the game will quit.

            Returns tuple containing player position as well as the tile map
            """

        sextant_x = None
        sextant_y = None
        errors = 0

        while sextant_x is None:
            # Move mouse to a neutral position that won't obstruct template matching
            pyautogui.moveTo(400, 400)

            # Find and use the sextant
            self.backpack.use_item('sextant', None, (5, 2), True)

            # Take a new screenshot that includes the location
            screenshot = utils.take_screenshot()

            # Find the current position
            position = screenshot[450:465, 120:180]

            # Resize and parse the image to a string
            position = cv2.resize(position, (0, 0), fx=5, fy=5)
            position = cv2.bitwise_not(position)
            position = cv2.blur(position, (8, 8))

            text = ''

            try:
                text = pytesseract.image_to_string(position, config='--psm 8')
                # Split the text into coordinates
                sextant_x, sextant_y = text.split(", ")[0::1]
            except UnicodeDecodeError:
                utils.log("SEVERE",
                          F"Unable to parse sextant coordinates string")
                utils.quit_game()
            except ValueError as value_error:
                utils.log("WARN", F"{value_error}")
                # Move mouse to a neutral position that won't obstruct template matching
                pyautogui.moveTo(400, 400)
                errors += 1

            if errors == 10:
                utils.log("SEVERE", F"Sextant failed 10 times")
                utils.quit_game()

        # Normalize the coordinates to fit the map indicies
        normalized_x = int(sextant_x) - utils.NORMALIZATION_CONSTANT
        normalized_y = int(sextant_y) - utils.NORMALIZATION_CONSTANT

        # Remove old player position from the map
        self.game_map[self.game_map ==
                      self.TILES.PLAYER.value] = self.TILES.ACCESSIBLE.value
        self.player_position = (normalized_x, normalized_y)
        self.game_map[self.player_position] = self.TILES.PLAYER.value

    def match_template_type(self, tile, templates):
        """
            Compare the tile with a set of templates
            """
        potential_tiles = []

        # Go through all accessible tiles
        for template in templates:
            result = cv2.matchTemplate(tile, template[0], cv2.TM_CCORR_NORMED)
            max_val = cv2.minMaxLoc(result)[1]

            # Confidence too low for a match
            if max_val < 0.90:
                continue

            # This is a potential tile
            potential_tiles.append((template, max_val))

            # Very high confidence that this is the correct tile
            if max_val > 0.99:
                break

        return potential_tiles

    def update_map(self, screenshot=None):
        """
            Takes a screenshot of the game, this method will iterate
            over the gameplay region in 16x16 chunks.  Each chunk is compared
            with all potential inaccessible tiles until a match is found.

            When a match is found, the frequency of that tile is incremented
            so future chunks are compared with high frequency tiles first.
            """
        # Get the visible tiles
        nearby = self.game_map[(self.player_position[0] -
                                10):(self.player_position[0] + 11),
                               (self.player_position[1] -
                                10):(self.player_position[1] + 11)]

        # Clear NPCs in the nearby as they may have moved
        nearby[nearby ==
               self.TILES.WEAPON_SHOPKEEPER.value] = self.TILES.UNKNOWN.value
        nearby[nearby ==
               self.TILES.BLACKSMITH.value] = self.TILES.UNKNOWN.value

        # Take screenshot and isolate the gamplay region
        if screenshot is None:
            screenshot = utils.take_screenshot()
        play = screenshot[8:344, 8:344]

        # Loop through all unknown tiles in the nearby
        for i, j in zip(*np.where(nearby == self.TILES.UNKNOWN.value)):
            # Scale up the dimensions
            tile_x = i * self.TILE_DIM
            tile_y = j * self.TILE_DIM

            # The center cell is always the player
            if i == 10 and j == 10:
                tile_x = self.player_position[0] + int(tile_x / 16) - 10
                tile_y = self.player_position[1] + int(tile_y / 16) - 10
                self.game_map[(tile_x, tile_y)] = self.TILES.PLAYER.value
                continue

            # Slice the tile from the play region
            tile = play[tile_y:tile_y + self.TILE_DIM,
                        tile_x:tile_x + self.TILE_DIM]

            tile_x = self.player_position[0] + int(tile_x / 16) - 10
            tile_y = self.player_position[1] + int(tile_y / 16) - 10

            # Go through all tile types looking for a high confidence match
            template = None
            for potential_template in self.templates:
                if np.allclose(potential_template[0], tile, 1, 1):
                    template = potential_template
                    break

            # No match, assume it is inaccessible
            if template is None:
                self.game_map[(tile_x, tile_y)] = self.TILES.INACCESSIBLE.value
                continue

            # By default, mark tile as inaccessible
            label = None

            # Mark as mineable
            if re.search(r'rock', template[1], re.M | re.I):
                label = self.TILES.MOUNTAIN.value
            elif re.search(r'door', template[1], re.M | re.I):
                label = self.TILES.DOOR.value
            elif re.search(r'gravel', template[1], re.M | re.I):
                label = self.TILES.GRAVEL.value
            elif re.search(r'shopkeeper', template[1], re.M | re.I):
                label = self.TILES.WEAPON_SHOPKEEPER.value
            elif re.search(r'blacksmith', template[1], re.M | re.I):
                label = self.TILES.BLACKSMITH.value
            elif re.search(r'guard', template[1], re.M | re.I):
                label = self.TILES.INACCESSIBLE.value
            elif re.search(r'inaccessible', template[1], re.M | re.I):
                label = self.TILES.INACCESSIBLE.value
            elif re.search(r'accessible', template[1], re.M | re.I):
                label = self.TILES.ACCESSIBLE.value

            # Calculate coordinates of tile in the map relative to the player
            self.game_map[(tile_x, tile_y)] = label

        # Go through all tiles in the gameplay region to find the mountains
        for i, j in zip(*np.where(nearby == self.TILES.MOUNTAIN.value)):
            # Get the tile to the left of the mountain
            tile_left = nearby[(i - 1, j)]

            # Only allow mountains to be minable if they are beside gravel
            if not tile_left == self.TILES.GRAVEL.value:
                nearby[(i, j)] = self.TILES.INACCESSIBLE.value

        # Save the game map to disk
        np.savetxt('map.txt', self.game_map, fmt='%d')
Ejemplo n.º 18
0
 def __init__(self, killed_enemies=0, gamer_type=''):
     self._killed_enemies = killed_enemies
     self._backpack = Backpack()
     self.power = 0
     self._gamer_type = gamer_type
     self._health = random.randint(1, 10)
Ejemplo n.º 19
0
class Player():
    """
        This class handles everything relating to the player
        """
    LOW_HEALTH = 150
    TASKS = Enum('Task', 'MINE, SMELT, FORGE')

    def __init__(self, game_map, task=TASKS.MINE):
        self.user_interface = UserInterface()
        self.backpack = Backpack()
        self.mine = Mine(self, game_map)
        self.smelt = Smelt(self, game_map)
        self.forge = Forge(self, game_map)

        # Set the default initial task
        self.task = task
        self.action_count = 0

    def perform_task(self):
        """
            Checks health, organizes backpack and then performs
            one of the following tasks: mine, smelt, or forge
            """
        # Do pre-task checks
        self.action_count += 1

        # Only check health every 25 turns (it is a slow process)
        if self.action_count % 25 == 0:
            self.action_count = 0
            self.check_health()

        # Perform task
        if self.task == self.TASKS.MINE:
            self.task = self.mine.mine()
            delay = 0
        elif self.task == self.TASKS.SMELT:
            self.task = self.smelt.smelt()
            delay = 1.4
        elif self.task == self.TASKS.FORGE:
            self.task = self.forge.forge()
            delay = 2.1

        # Give the task time to complete
        sleep(delay)

        # Organize backpack now that items have been potentially added
        self.organize_backpack()

    def check_health(self):
        """
            Checks player's HP and uses a potion if it is low.
            If no potions are found, game will quit
            """
        # Check if HP is low
        if self.user_interface.get_health() < self.LOW_HEALTH:
            # Attempt to use a potion
            utils.log("INFO", F"Health dropped below {self.LOW_HEALTH}")
            used_potion = self.backpack.use_item('potion', offset=(4, 9))

            # No potions were found
            if not used_potion:
                # Potions may be obscurred by items, try selling
                self.forge.sell_items()
                # Try using a potion again
                used_potion = self.backpack.use_item('potion', offset=(4, 9))

                # Still can't use potions, likely do not have any
                if not used_potion:
                    utils.log("SEVERE", "No potions found")
                    utils.quit_game()

            # Sleep so that there is no issue using the next item
            utils.log("INFO", F"Used a potion")
            sleep(6)

    def is_weight_below_threshold(self, threshold):
        # Calculate how much more weight the player can carry
        current_weight, max_weight = self.user_interface.get_weight()
        difference = max_weight - current_weight

        # Check if the weight the player can carry is below the threshold
        if difference < threshold:
            utils.log("INFO", F"Weight is {difference} from max, threshold was set to {threshold}")
            return True

        return False

    def organize_backpack(self):
        """
            Move all items to the correct areas of the backpack
            """
        self.backpack.move_item('ore', self.backpack.ORE_LOC, (8, 6))
        self.backpack.move_item('gem', self.backpack.GEM_LOC, (4, 2))
        self.backpack.move_item('jewel', self.backpack.GEM_LOC, (4, 2))
        self.backpack.move_item('galantine', self.backpack.GEM_LOC, (5, 4))
        self.backpack.move_item('pickaxe', self.backpack.PICKAXE_LOC, (9, 4))
        self.backpack.move_item('dagger', self.backpack.DAGGER_LOC, (4, 6))
        self.backpack.move_item('hammer', self.backpack.HAMMER_LOC, (7, 3))
        self.backpack.move_item('gold', self.backpack.GEM_LOC, (6, 5))
        self.backpack.move_item('ingot', self.backpack.INGOT_LOC)
Ejemplo n.º 20
0
 def __init__(self, name: str, health: int=10, damage: int=1, location: Room=None):
     """ Constructor """
     super().__init__(name, health, damage)
     self._location = location
     self._backpack = Backpack()
     self._equipped_item = None
Ejemplo n.º 21
0
 def __init__(self, game_map, move):
     self.user_interface = UserInterface()
     self.backpack = Backpack()
     self.move = move
     self.game_map = game_map
Ejemplo n.º 22
0
 def __init__(self):
     self.wallet = Wallet()
     self.backpack = Backpack()
     self.wallet.fill_wallet()
Ejemplo n.º 23
0
from backpack import Backpack

mybackpack = Backpack("Tom", "Green", 10)