6

我正在嗅探网络并尝试获取每个 tcp 数据包的 IP 地址和端口号。

我在 python 中使用了 scapy,并且可以成功地嗅探数据包,并且在回调函数中甚至可以打印数据包摘要。但我想做更多,比如只获取源的 IP 地址及其端口号。我怎样才能完成它?下面是我的代码:

#!/usr/bin/evn python
from scapy.all.import.*
def print_summary(pkt):
    packet = pkt.summary()
    print packet
sniff(filter="tcp",prn=packet_summary)

请建议一种仅打印每个数据包的源 IP 地址的方法。

谢谢。

4

2 回答 2

25

这不是很困难。试试下面的代码:

#!/usr/bin/env python
from scapy.all import *
def print_summary(pkt):
    if IP in pkt:
        ip_src=pkt[IP].src
        ip_dst=pkt[IP].dst
    if TCP in pkt:
        tcp_sport=pkt[TCP].sport
        tcp_dport=pkt[TCP].dport

        print " IP src " + str(ip_src) + " TCP sport " + str(tcp_sport) 
        print " IP dst " + str(ip_dst) + " TCP dport " + str(tcp_dport)

    # you can filter with something like that
    if ( ( pkt[IP].src == "192.168.0.1") or ( pkt[IP].dst == "192.168.0.1") ):
        print("!")

sniff(filter="ip",prn=print_summary)
# or it possible to filter with filter parameter...!
sniff(filter="ip and host 192.168.0.1",prn=print_summary)

享受!

于 2013-10-11T15:24:25.553 回答
4

User2871462 有一个了不起的答案,我会对此发表评论,但我没有所需的声誉。:) 我唯一要补充的是,根据用例,您可能希望将 store=0 标志添加到嗅探调用中,这样您就不会存储数据包。来自 scapy 文档字符串“存储:是存储嗅探到的数据包还是丢弃它们”。

sniff(filter="ip",prn=print_summary, store=0)
于 2013-12-22T18:29:33.147 回答