Update Python Ofensivo - Pruebas de conexión con la librería socket

This commit is contained in:
Manuel Vergara 2024-01-11 20:26:58 +01:00
parent 653e96cc2b
commit ec29b5cde0
4 changed files with 130 additions and 0 deletions

View File

@ -0,0 +1,23 @@
#!/usr/bin/env python3
"""
Client socket
Con errores. 02_socket es la versión corregida.
"""
import socket
client_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
server_address = ('localhost', 1234)
client_socket.connect(server_address)
try:
message = b"Ola k ase servidor"
client_socket.sendall(message)
data = client_socket.recv(1024)
print(f"[i] Mensaje de {server_address}:\n\t{data.decode()}")
finally:
client_socket.close()

View File

@ -0,0 +1,39 @@
#!/usr/bin/env python3
"""
Servidor socket
Con errores. 02_socket es la versión corregida.
"""
import socket
# Crear un socket TCP/IP
server_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
# Enlazar el socket con el puerto
server_address = ("localhost", 1234)
# Asignar una dirección y un puerto al socket
server_socket.bind(server_address)
# Limitar el número de conexiones entrantes
server_socket.listen(1)
# Esperar a que lleguen conexiones
while True:
print(" Esperando conexión...")
# Aceptar una conexión
client_socket, client_address = server_socket.accept()
# Formato de datos recibidos
data = client_socket.recv(1024)
# Imprimir información de la conexión
print(f"[+] Cliente conectado desde: {client_address}")
# Imprimir datos recibidos
print(f"[i] Mensaje de {client_address}:\n\t{data.decode()}")
# Enviar datos a cliente
client_socket.sendall(f"Ola k ase client\n".encode())
print("[!] Conexión cerrada")
client_socket.close()
server_socket.close()

View File

@ -0,0 +1,27 @@
#!/usr/bin/env python3
"""
Client socket
"""
import socket
def start_client():
host = 'localhost'
port = 1234
with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s:
s.connect((host, port))
print(f"[*] Conexión establecida con {host}:{port}")
s.sendall("Ola k ase server!\n".encode())
data = s.recv(1024)
print(f"[i] Mensaje de {host}:{port}:\n\t{data.decode()}")
start_client()

View File

@ -0,0 +1,41 @@
#!/usr/bin/env python3
"""
Server socket
"""
import socket
def start_server():
host = 'localhost'
port = 1234
with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s:
s.bind((host, port))
s.listen(1)
print(f"[*] Servidor en escucha en {host}:{port}")
conn, addr = s.accept()
print(f"[+] {addr} Conectado.")
with conn:
print(f"[*] Conexión establecida con {addr}")
while True:
data = conn.recv(1024)
if not data:
break
conn.sendall(data)
print(f"[i] Mensaje de {addr}:\n\t{data.decode()}")
conn.sendall(f"Ola k ase client!\n".encode())
start_server()