Exemplo n.º 1
0
    def __init__(self, score_label, hp_label, gem_times, gem_lanes, enemy_types, enemy_chords, enemy_manager, audio_controller):
        super(Player, self).__init__()
        self.audio_controller = audio_controller
        self.MAX_HEALTH = 1000
        self.score = 0
        self.hp = self.MAX_HEALTH
        self.state = "idle"
        self.lane = 0
        self.score_label = score_label
        self.hp_label = hp_label
        # The image asset has it so that the now bbbar is at 12.15% of the width
        self.nowbar_x = Window.width*0.1215
        self.hero = Hero((0,0))
        self.hero.change_lane(1)
        self.add(self.hero)

        self.gem_times = gem_times
        self.gem_lanes = gem_lanes
        self.enemy_types = enemy_types
        self.enemy_chords = enemy_chords

        self.elapsed_time = 0
        self.prev_time = time.time()
        self.playing = True

        self.enemy_manager = enemy_manager
        self.current_enemy_index = 0
        self.enemy_spawn_index = 0

        self.notes_down = []
Exemplo n.º 2
0
	def setup(self):
		""" Generates a hero, monster and door at random locations. """
		player_start = GameMap.random_location()
	
		# Generate monster location. Make sure it is not the same as player location
		while True:
			monster_start = GameMap.random_location()
			if monster_start == player_start:
				continue
			else:
				break

		# Generate door location. Make sure it is not the same as player and monster location.
		while True:
			door_start = GameMap.random_location()
			if door_start == monster_start or door_start == player_start:
				continue
			else:
				break
			
		self.player = Hero(position=player_start)
		self.monster = Monster(position=monster_start)
		self.door = Door(position=door_start)

		self.player.visit_location(player_start)
Exemplo n.º 3
0
class Player(InstructionGroup):
    def __init__(self, score_label, hp_label, gem_times, gem_lanes, enemy_types, enemy_chords, enemy_manager, audio_controller):
        super(Player, self).__init__()
        self.audio_controller = audio_controller
        self.MAX_HEALTH = 1000
        self.score = 0
        self.hp = self.MAX_HEALTH
        self.state = "idle"
        self.lane = 0
        self.score_label = score_label
        self.hp_label = hp_label
        # The image asset has it so that the now bbbar is at 12.15% of the width
        self.nowbar_x = Window.width*0.1215
        self.hero = Hero((0,0))
        self.hero.change_lane(1)
        self.add(self.hero)

        self.gem_times = gem_times
        self.gem_lanes = gem_lanes
        self.enemy_types = enemy_types
        self.enemy_chords = enemy_chords

        self.elapsed_time = 0
        self.prev_time = time.time()
        self.playing = True

        self.enemy_manager = enemy_manager
        self.current_enemy_index = 0
        self.enemy_spawn_index = 0

        self.notes_down = []

    def update_notes(self, notes):
        self.notes_down = notes

    def on_notes_played(self):
        # called when a chord is played by MainWidget.
        # Checks all of the gems nearby and hits enemies in the chord lane that
        # are close enough to the now bar. Also changes the lane of the hero.

        temp_gem_index = self.current_enemy_index

        # iterates through all gems that are within 0.1 of the current time
        while(temp_gem_index != len(self.gem_times) and self.gem_times[temp_gem_index] <= self.elapsed_time + 0.4):

            enemy_lane = self.gem_lanes[temp_gem_index]
            enemy_type = self.enemy_types[temp_gem_index]
            enemy_chord = self.enemy_chords[temp_gem_index]

            # print(enemy_chord.notes)
            # desired_chord_name = lane_to_chord[enemy_lane]
            # chord_list = sorted(chord_dict[desired_chord_name])  # list of notes to hit for this chord

            chord_list = enemy_chord.notes

            print("chord_list: ",chord_list)
            print("current notes: ",self.notes_down)

            # to determine if there is left and right hand at same time, you can just
            # separate into left hand and right hand arrays

            hit_all_notes = True
            for note in chord_list:
                if note not in self.notes_down:
                    hit_all_notes = False

            if hit_all_notes:
                # change lanes bc you played a chord
                self.change_lane(enemy_lane)

            if (enemy_type == "case"):
                # yay you hit all the notes in the chord, now we can kill the enemy!
                # self.notes_down needs to contain the chord (LEFT HAND OCTAVE) in the correct lane

                subnotes_hit = []

                for index in range (3):
                    note = chord_list[index]
                    if note in self.notes_down:
                        subnotes_hit.append(index)

                self.enemy_manager.kill_subenemies_at_index(temp_gem_index, subnotes_hit)

                if len(subnotes_hit) == 3:
                    # You hit all the notes in the chord! ++ points
                    time_difference = self.elapsed_time - self.gem_times[temp_gem_index]
                    self.score += int(300 * (1-time_difference*2))

            elif enemy_type == "blue": # This is a single note for the right hand, we need to see if it matches the correct lane
                note_to_match = lane_to_midi[enemy_lane]

                if (note_to_match in self.notes_down):
                    self.enemy_manager.kill_enemy_at_index(temp_gem_index)
                    time_difference = self.elapsed_time - self.gem_times[temp_gem_index]
                    self.score += int(300 * (1-time_difference*2))

            temp_gem_index += 1

    def change_lane(self,lane):
        self.hero.change_lane(lane)

    def toggle(self):
        self.playing = not self.playing

    # needed to check if for pass gems (ie, went past the slop window)
    def on_update(self):
        self.score_label.text = "Score: " + str(self.score)
        self.hp_label.text = "HP: " + str(self.hp)

        if (self.playing):
            self.hero.on_update(HERO_UPDATE_TIME)
            self.elapsed_time += time.time() - self.prev_time

            # THIS PART HANDLES ENEMIES AT THE NOW BAR
            # checks all the enemies that are beyond 0.4 seconds of the now bar
            while (self.current_enemy_index < len(self.gem_times) and self.gem_times[self.current_enemy_index] + 0.4 < self.elapsed_time):
                current_enemy = self.enemy_manager.enemies[self.current_enemy_index]

                # this means an enemy has more than 0 HP and is past the now bar by 0.4 seconds
                if (not current_enemy.hp <= 0):
                    self.hp -= 10
                    self.audio_controller.play_sfx()
                    self.hero.change_state("hurt")
                    current_enemy.on_kill(True)
                    if (self.hp == 0):
                        print("GAME OVER")

                self.current_enemy_index += 1

            # THIS PART SPAWNS ENEMIES
            if (self.enemy_spawn_index < len(self.gem_times)):
                next_enemy = self.gem_times[self.enemy_spawn_index]
                next_lane = self.gem_lanes[self.enemy_spawn_index]
                next_type = self.enemy_types[self.enemy_spawn_index]
                next_chord = self.enemy_chords[self.enemy_spawn_index]
                if self.elapsed_time > (next_enemy - SPAWN_TIME):
                    print('next inversion:', next_chord.inversion)
                    self.enemy_manager.spawn_enemy(next_lane, next_type, 0, next_chord.inversion)
                    self.enemy_spawn_index += 1
            # self.enemy_manager.on_update()
        self.prev_time = time.time()

    def update_health(self,amt):
        self.hp = amt
        if(self.hp > self.MAX_HEALTH):
            self.hp = self.MAX_HEALTH
        if(self.hp <= 0):
            self.hp = 0
            self.on_kill()

    def on_kill(self):
        pass
Exemplo n.º 4
0
    def build(self):
        hero1 = Hero(name="Hero 1", deck=self.generateDeck())
        hero2 = Hero(name="Hero 2", deck=self.generateDeck())
        board = Board(hero1, hero2)

        return board
Exemplo n.º 5
0
def main():

    # create the cast {key: tag, value: list}
    cast = {}

    # add the tower

   

    tower = TowerSprite()
    cast["tower"] = [tower]

    # add the zombies
    cast['zombies'] = arcade.SpriteList()    

    # add the wall
    cast["walls"] = arcade.SpriteList()

    # add the bullets
    cast["bullets"] = []

    # add the turret
    cast["turrets"] = arcade.SpriteList()

    # add the hero
    hero = Hero(cast)
    cast["hero"] = [hero]
    
    melee = Melee(cast)
    cast["melee"] = [melee]

    # add the score
    score = Score()
    cast["score"] = [score]

    # add the resource counter
    resource_counter = ResourceCounter(200,50)
    cast['resource_counter'] = [resource_counter]

    # add the magic
    cast['magicks'] = arcade.SpriteList()

    # add the resources
    cast['resources'] = arcade.SpriteList()


    # create the script {key: tag, value: list}
    script = {}

    input_service = ArcadeInputService()
    output_service = ArcadeOutputService()
    
    control_actors_action = ControlActorsAction(input_service)
    move_actors_action = MoveActorsAction()
    handle_collisions_action = HandleCollisionsAction()
    draw_actors_action = DrawActorsAction(output_service)
    

    window = arcade.Window(constants.MAX_X, constants.MAX_Y, "Towerz") 
    start_screen = StartView(cast, script, input_service)   

    handle_lose_or_win = HandleLoseOrWinAction(window, start_screen, script)

    script["input"] = [control_actors_action]
    script["update"] = [move_actors_action, handle_collisions_action, handle_lose_or_win]
    script["output"] = [draw_actors_action]

    # start the game
    window.show_view(start_screen)
    arcade.run()
Exemplo n.º 6
0
class Game:
	def setup(self):
		""" Generates a hero, monster and door at random locations. """
		player_start = GameMap.random_location()
	
		# Generate monster location. Make sure it is not the same as player location
		while True:
			monster_start = GameMap.random_location()
			if monster_start == player_start:
				continue
			else:
				break

		# Generate door location. Make sure it is not the same as player and monster location.
		while True:
			door_start = GameMap.random_location()
			if door_start == monster_start or door_start == player_start:
				continue
			else:
				break
			
		self.player = Hero(position=player_start)
		self.monster = Monster(position=monster_start)
		self.door = Door(position=door_start)

		self.player.visit_location(player_start)

	def player_turn(self):
		""" Asks the user to take an action to either attack or recover """
		while True:
			action = input("Attack or Heal: ").lower().strip()
			if action == "heal":
				self.player.heal()
				print("new hp {}".format(self.player.hp))
				break
			elif action == "attack":
				damage = self.player.make_attack()
				print("\nYou hit the monster for {} damage.".format(damage))
				self.monster.hp -= damage
				break
			else:
				print("Invalid action, try again.\n")
		
	def monster_turn(self):
		""" The monster attemps to attack the player """
		damage = self.monster.make_attack()
		print("The monster hits you for {} damage.\n".format(damage))
		self.player.hp -= damage

	def fight(self):
		""" Handles the fight between the player and the monster. """
		while True:
			print('-' * 30)
			print(self.player)
			print(self.monster)
			print('-' * 30)
			self.player_turn()

			if self.monster.hp <= 0:
				print("You have slain the monster and taken the key from it's dead body.\n")
				self.player.key = True
				self.monster.position = None
				break

			self.monster_turn()
			
			if self.player.hp <= 0:
				print("You have been killed by the monster. Game over!\n")
				sys.exit()

	def clear(self):
		""" Clears the screen """
		os.system('cls' if os.name == 'nt' else 'clear')

	def __init__(self):
		self.clear()
		
		self.setup()
	
		message = None

		while True:
			self.clear()

			print("Hero: " + self.player.name.title() + " / Weapon: " + self.player.weapon.title()) 
			self.player.draw_map(hero = self.player.position, 
								monster=self.monster.position, 
								door = self.door.position, 
								visited=self.player.visited_list)

			if message:
				print(message)
				message = None

			if self.player.key == True:
				print("Inventory: Key")
				
			move = input("{}: ".format(self.player.get_valid_moves(self.player.position))).upper().strip()

			if self.player.is_valid_move(move, self.player.position):
				print("You moved {}.\n\n".format(move))
				self.player.change_position(move)
			else:
				message="That is not a valid move."
			if self.player.position == self.door.position:
				if self.player.key:
					print("You found the exit. You win!")
					break
				else:
					message = "You found the exit, but the door is locked."
			elif self.player.position == self.monster.position:
				print("You have found the monster!\n")
				self.fight()

			
		print("Game over. You made {} moves.\n\n".format(len(self.player.visited_list)-1))