Python Icmp Socket Server (not Tcp\udp)
I'm trying to write a socket server in Python that can receive ICMP packets. Here's my code: s = socket.socket(socket.AF_INET,socket.SOCK_RAW, socket.IPPROTO_ICMP) host = socket.ge
Solution 1:
I've done this before in twisted and I set the socket up like this:
import socket
def listen():
s = socket.socket(socket.AF_INET,socket.SOCK_RAW,socket.IPPROTO_ICMP)
s.setsockopt(socket.SOL_IP, socket.IP_HDRINCL, 1)
while1:
data, addr = s.recvfrom(1508)
print"Packet from %r: %r" % (addr,data)
Solution 2:
Building on the accepted answer, this code unpacks the received ICMP header and displays its data (ICMP type, code, etc)
s = socket.socket(socket.AF_INET,socket.SOCK_RAW,socket.IPPROTO_ICMP)
s.setsockopt(socket.SOL_IP, socket.IP_HDRINCL, 1)
while1:
recPacket, addr = s.recvfrom(1024)
icmp_header = recPacket[20:28]
type, code, checksum, p_id, sequence = struct.unpack('bbHHh', icmp_header)
print"type: [" + str(type) + "] code: [" + str(code) + "] checksum: [" + str(checksum) + "] p_id: [" + str(p_id) + "] sequence: [" + str(sequence) + "]"
Post a Comment for "Python Icmp Socket Server (not Tcp\udp)"