forked from mouredev/roadmap-retos-programacion
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathidiegorojas.py
326 lines (251 loc) · 10.9 KB
/
idiegorojas.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
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
"""
# 46 - Bluesky vs X
"""
# Implementa un sistema que simule el comportamiento de estas redes sociales.
# Debes crear las siguientes operaciones:
# Registrar un usuario por nombre e identificador único.
# Un usuario puede seguir/dejar de seguir a otro.
# Creación de post asociado a un usuario. Debe poseer texto (200 caracteres máximo), fecha de creación e identificador único.
# Eliminación de un post.
# Posibilidad de hacer like (y eliminarlo) en un post.
# Visualización del feed de un usuario con sus 10 publicaciones más actuales ordenadas desde la más reciente.
# Visualización del feed de un usuario con las 10 publicaciones más actuales de los usuarios que sigue ordenadas desde la más reciente.
# Cuando se visualiza un post, debe mostrarse:
# ID de usuario
# nombre de usuario
# texto del post,
# fecha de creación
# número total de likes.
# Controla errores en duplicados o acciones no permitidas.
import datetime
class SocialMedia():
def __init__(self):
self.users = {} # Id User {name: user name}
self.posts = {} # {post: [id, description, created date]}
self.followers = {} # {user: [# followers]}
def create_user(self):
username = input("Ingresa tu nombre de usuario: ")
if username in self.users:
print(f"Lo sentimos el nombre de usuario {username} no esta disponible")
return False
user_id = len(self.users) + 1
self.users[username] = {"id": user_id, "name":username}
self.followers[username] = []
print(f"Usuario {username} creado exitosamente con el ID: {user_id}")
return True
def create_post(self):
username = input("Ingresa tu usuario: ")
if username not in self.users:
print(f"Lo sentimos el usuario {username} no se encuentra registrado")
return False
post_text = input("Ingresa el post (maximo 200 caracteres): ")
if len(post_text) > 200:
print("Lo sentimos el post excede el numero de caracteres. (Maximo 200)")
return False
post_id = len(self.posts) + 1
creation_date = datetime.datetime.now().strftime("%Y-%m-%d %H:%M:%S")
self.posts[post_id] = {
"id": post_id,
"user_id": self.users[username]["id"],
"username": username,
"text": post_text,
"created_at": creation_date,
"likes": []
}
print(f"Post con ID: {post_id} creado exitosamente.")
return True
def follow_user(self):
follower = input("Ingresa tu nombre de usuario: ")
if follower not in self.users:
print(f"Lo sentimos, el usuario {follower} no existe")
return False
to_follow = input("Ingresa el nombre del usuario que deseas seguir: ")
if to_follow not in self.users:
print(f"Lo sentimos, el usuario {to_follow} no existe")
return False
if follower == to_follow:
print("No puedes seguirte a ti mismo")
return False
if to_follow in self.followers[follower]:
print(f"Ya estás siguiendo a {to_follow}")
return False
self.followers[follower].append(to_follow)
print(f"Ahora estás siguiendo a {to_follow}")
return True
def unfollow_user(self):
follower = input("Ingresa tu nombre de usuario: ")
if follower not in self.users:
print(f"Lo sentimos, el usuario {follower} no existe")
return False
to_unfollow = input("Ingresa el nombre del usuario que deseas dejar de seguir: ")
if to_unfollow not in self.followers[follower]:
print(f"No estás siguiendo a {to_unfollow}")
return False
self.followers[follower].remove(to_unfollow)
print(f"Has dejado de seguir a {to_unfollow}")
return True
def delete_post(self):
username = input("Ingresa tu nombre de usuario: ")
if username not in self.users:
print(f"Lo sentimos, el usuario {username} no existe")
return False
post_id = input("Ingresa el ID del post que deseas eliminar: ")
try:
post_id = int(post_id)
except ValueError:
print("El ID del post debe ser un número")
return False
if post_id not in self.posts:
print(f"El post con ID {post_id} no existe")
return False
if self.posts[post_id]["username"] != username:
print("No puedes eliminar un post que no te pertenece")
return False
del self.posts[post_id]
print(f"Post con ID {post_id} eliminado exitosamente")
return True
def like_post(self):
username = input("Ingresa tu nombre de usuario: ")
if username not in self.users:
print(f"Lo sentimos, el usuario {username} no existe")
return False
post_id = input("Ingresa el ID del post que deseas dar like: ")
try:
post_id = int(post_id)
except ValueError:
print("El ID del post debe ser un número")
return False
if post_id not in self.posts:
print(f"El post con ID {post_id} no existe")
return False
if username in self.posts[post_id]["likes"]:
print("Ya has dado like a este post")
return False
self.posts[post_id]["likes"].append(username)
print(f"Has dado like al post con ID {post_id}")
return True
def unlike_post(self):
username = input("Ingresa tu nombre de usuario: ")
if username not in self.users:
print(f"Lo sentimos, el usuario {username} no existe")
return False
post_id = input("Ingresa el ID del post que deseas quitar like: ")
try:
post_id = int(post_id)
except ValueError:
print("El ID del post debe ser un número")
return False
if post_id not in self.posts:
print(f"El post con ID {post_id} no existe")
return False
if username not in self.posts[post_id]["likes"]:
print("No has dado like a este post")
return False
self.posts[post_id]["likes"].remove(username)
print(f"Has quitado el like al post con ID {post_id}")
return True
def show_post(self, post_id):
if post_id not in self.posts:
print(f"El post con ID {post_id} no existe")
return False
post = self.posts[post_id]
print(f"ID de usuario: {post['user_id']}")
print(f"Nombre de usuario: {post['username']}")
print(f"Texto: {post['text']}")
print(f"Fecha de creación: {post['created_at']}")
print(f"Número de likes: {len(post['likes'])}")
return True
def user_feed(self):
username = input("Ingresa tu nombre de usuario: ")
if username not in self.users:
print(f"Lo sentimos, el usuario {username} no existe")
return False
# Encuentra todos los posts del usuario
user_posts = []
for post_id, post in self.posts.items():
if post["username"] == username:
user_posts.append((post_id, post["created_at"]))
# Ordena por fecha de creación (más reciente primero)
user_posts.sort(key=lambda x: x[1], reverse=True)
# Obtiene los 10 posts más recientes
recent_posts = user_posts[:10]
if not recent_posts:
print(f"El usuario {username} no tiene publicaciones")
return False
print(f"Feed de {username} (publicaciones propias):")
for idx, (post_id, _) in enumerate(recent_posts, 1):
print(f"\nPost {idx}:")
self.show_post(post_id)
return True
def following_feed(self):
username = input("Ingresa tu nombre de usuario: ")
if username not in self.users:
print(f"Lo sentimos, el usuario {username} no existe")
return False
# Obtiene la lista de usuarios seguidos
following = self.followers[username]
if not following:
print(f"El usuario {username} no sigue a nadie")
return False
# Encuentra todos los posts de los usuarios seguidos
followed_posts = []
for post_id, post in self.posts.items():
if post["username"] in following:
followed_posts.append((post_id, post["created_at"]))
# Ordena por fecha de creación (más reciente primero)
followed_posts.sort(key=lambda x: x[1], reverse=True)
# Obtiene los 10 posts más recientes
recent_posts = followed_posts[:10]
if not recent_posts:
print(f"Los usuarios seguidos por {username} no tienen publicaciones")
return False
print(f"Feed de {username} (publicaciones de usuarios seguidos):")
for idx, (post_id, _) in enumerate(recent_posts, 1):
print(f"\nPost {idx}:")
self.show_post(post_id)
return True
def main_menu(self):
menu = """
SISTEMA DE REDES SOCIALES
------------------------
1. Crear usuario
2. Crear post
3. Seguir a un usuario
4. Dejar de seguir a un usuario
5. Eliminar post
6. Dar like a un post
7. Quitar like a un post
8. Ver feed propio
9. Ver feed de usuarios seguidos
0. Salir
Selecciona una opción: """
while True:
option = input(menu)
if option == "1":
self.create_user()
elif option == "2":
self.create_post()
elif option == "3":
self.follow_user()
elif option == "4":
self.unfollow_user()
elif option == "5":
self.delete_post()
elif option == "6":
self.like_post()
elif option == "7":
self.unlike_post()
elif option == "8":
self.user_feed()
elif option == "9":
self.following_feed()
elif option == "0":
print("¡Hasta pronto!")
break
else:
print("Opción no válida. Intenta de nuevo.")
input("\nPresiona Enter para continuar...")
# Ejecutar el programa
if __name__ == "__main__":
app = SocialMedia()
app.main_menu()