forked from Gvila92/Text-Game
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
235 lines (183 loc) · 7.87 KB
/
main.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
import os
import random
from PIL import Image
from sqlalchemy import create_engine, Column, Integer, String, ForeignKey
from sqlalchemy.orm import declarative_base, relationship, Session
img = Image.open('Map.png')
img.show()
Base = declarative_base()
class Player(Base):
__tablename__ = 'players'
id = Column(Integer, primary_key=True)
name = Column(String, nullable=False)
health = Column(Integer, default=100)
inventory = relationship('InventoryItem', back_populates='player')
def __init__(self, name, health=100):
self.name = name
self.health = health
self.inventory = []
def display_info(self):
inventory_names = [item.name for item in self.inventory]
inventory_str = ', '.join(inventory_names)
print(f"Player: {self.name}\nInventory: [{inventory_str}]\nHealth: {self.health}")
def attack(self):
return random.randint(1, 20)
def take_damage(self, damage):
if self.health is None:
self.health = 0
self.health -= damage
class InventoryItem(Base):
__tablename__ = 'inventory_items'
id = Column(Integer, primary_key=True)
name = Column(String, nullable=False)
player_id = Column(Integer, ForeignKey('players.id'))
player = relationship('Player', back_populates='inventory')
def initialize_database():
engine = create_engine('sqlite:///game.db')
Base.metadata.create_all(engine)
return Session(engine)
#MAIN MENU
TITLE_ART = """
···········································
: _____ _ _ _ ____ _____ _______ :
:| ____| | | | | / ___|_ _\ \ / / ____|:
:| _| | | | | | \___ \| | \ \ / /| _| :
:| |___| |__| |_| |___) | | \ V / | |___ :
:|_____|_____\___/|____/___| \_/ |_____|:
···········································
"""
def main_menu():
print(TITLE_ART)
print("1. New Adventure\n2. Exit")
choice = input("Enter your choice: ")
return choice
def prompt():
print("\t\tElusive\n\n\
You must collect all six items before fighting the boss.\n\n\
Moves:\t'go {direction}' (travel north, south, east, or west)\n\
\t'get {item}' (add nearby item to inventory)\n")
input("Press Enter to continue..")
def new_adventure(session, current_room):
print("You have awoken! You hear in the far distance. Feeling disoriented, you stand and notice a small light approaching you.")
input("You feel calm. Suddenly you hear a voice in your head: 'What is your name?'\nPress ENTER to continue...")
player_name = input("Enter your character's name: ")
player = Player(name=player_name)
player.display_info()
print("To gain your freedom, you must traverse the world and collect all six items before fighting the boss.")
input("Press Enter to continue..")
player.inventory = []
session.query(InventoryItem).delete()
session.commit()
while True:
clear()
print(f"You are in the {current_room}\n{'-' * 27}")
player.display_info()
msg = ""
if "Item" in rooms[current_room].keys():
nearby_item = rooms[current_room]["Item"]
if nearby_item not in [inventory_item.name for inventory_item in player.inventory]:
if nearby_item[-1] == 's':
print(f"You see {nearby_item}")
elif nearby_item[0] in ['a', 'e', 'i', 'o', 'u']:
print(f"You see an {nearby_item}")
else:
print(f"You see a {nearby_item}")
if "Boss" in rooms[current_room].keys():
if len(player.inventory) < 6:
print(f"You lost a fight with {rooms[current_room]['Boss']}.")
if current_room == 'Dojo':
print("You have not retrieved all six items and therefore are not worthy! DIE")
input("Press enter to return to the Main Menu...")
break
else:
break
else:
print(f"You beat {rooms[current_room]['Boss']}!")
if current_room == 'Dojo':
print("Congratulations! You have defeated The shadow man and have gained your freedom for now.")
input("Press enter to exit the game...")
exit()
break
if random.randint(1, 10) <= 3:
enemy_types = ['Goblin', 'Orc', 'Skeleton', 'Zombie']
enemy = random.choice(enemy_types)
print(f"OH no! a {enemy} appeared!")
input("Press enter to roll the dice...")
while True:
player_roll = player.attack()
enemy_roll = random.randint(1, 20)
print(f"{player.name} rolls {player_roll}. {enemy} rolls {enemy_roll}.")
if player_roll > enemy_roll:
print(f"You defeated {enemy}!")
break
else:
damage = random.randint(1, 10)
player.take_damage(damage)
print(f"{enemy} deals {damage} damage. Your health: {player.health}")
if player.health <= 0:
print("You have been defeated. Game over.")
input("Press enter to return to the Main Menu...")
exit()
input("Press enter to roll the dice again...")
user_input = input("Enter your move:\n")
next_move = user_input.split(' ')
action = next_move[0].title()
item = "Item"
direction = "null"
if len(next_move) > 1:
item = next_move[1:]
direction = next_move[1].title()
item = " ".join(item).title()
if action == "Go":
try:
current_room = rooms[current_room][direction]
msg = f"You travel {direction}"
except:
msg = "You can't go that way."
elif action == "Get":
try:
if item == rooms[current_room]["Item"]:
if item not in [inventory_item.name for inventory_item in player.inventory]:
inventory_item = InventoryItem(name=rooms[current_room]["Item"])
player.inventory.append(inventory_item)
session.commit()
msg = f"{item} retrieved!"
else:
msg = f"You already have the {item}"
else:
msg = f"Can't find {item}"
except:
msg = f"Can't find {item}"
elif action == "Exit":
break
else:
msg = "Invalid command"
def clear():
os.system('cls' if os.name == 'nt' else 'clear')
rooms = {
'Liminal Space': {'North': 'Mirror Maze', 'South': 'Bat Cavern', 'East': 'Bazaar'},
'Mirror Maze': {'South': 'Liminal Space', 'Item': 'Crystal'},
'Bat Cavern': {'North': 'Liminal Space', 'East': 'Volcano', 'Item': 'Staff'},
'Bazaar': {'West': 'Liminal Space', 'North': 'Meat Locker', 'East': 'Dojo', 'Item': 'Charm'},
'Meat Locker': {'South': 'Bazaar', 'East': 'Quicksand Pit', 'Item': 'Fig'},
'Quicksand Pit': {'West': 'Meat Locker', 'Item': 'Robe'},
'Volcano': {'West': 'Bat Cavern', 'Item': 'Elderberry'},
'Dojo': {'West': 'Bazaar', 'Boss': 'Shadow Man'}
}
def main():
session = initialize_database()
while True:
clear()
choice = main_menu()
if choice == '1':
clear()
current_room = "Liminal Space"
new_adventure(session, current_room)
elif choice == '2':
print("Exiting the game. Goodbye!")
break
else:
print("Invalid choice. Please enter '1' for New Adventure or '2' to Exit.")
input("Press enter to continue...")
if __name__ == "__main__":
main()