File: scapext.py

package info (click to toggle)
inguma 0.0.7.2-2
  • links: PTS
  • area: main
  • in suites: squeeze
  • size: 6,612 kB
  • ctags: 7,859
  • sloc: python: 74,776; ansic: 344; makefile: 64; sql: 45; sh: 39
file content (585 lines) | stat: -rw-r--r-- 21,248 bytes parent folder | download | duplicates (2)
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
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
#!/usr/bin/env python

# Scapy Extended
#
# 0.1.4 :
# - Added GeoIP support (with GeoIP Python API, see
#   http://www.maxmind.com/download/geoip/api/python/). This enables to use
#   (at least) GeoLite Country (http://www.maxmind.com/app/geoip_country)
#   and GeoLite City (http://www.maxmind.com/app/geolitecity). Use
#   conf.GeoIP_(country|city) to tell scapext where your DB files are
#   (default to /var/lib/GeoIP/). This provides, for now, host2coords and
#   host2country, and an updated version of TracerouteResult.world_trace.
# - Added ASN resolution (taken from scapy.py:TracerouteResult.makegraph,
#   might be usefull in other places)
# 0.1.3 :
# - Updated SunRPC support
# 0.1.2 :
# - GRE support (zer0@droids-corp.org)
#   http://trac.secdev.org/scapy/ticket/21
# 0.1.1 :
# - PFLog support
#   http://trac.secdev.org/scapy/ticket/7
# - Early and experimental SunRPC support
# 
# see http://pierre.droids-corp.org/scapy/

from scapy import *

EXTVERSION="0.1.4"


#### GeoIP support

conf.GeoIP_country = "/var/lib/GeoIP/GeoIP.dat"
conf.GeoIP_city = "/var/lib/GeoIP/GeoLiteCity.dat"
conf.gnuplot_world = "/usr/share/doc/gnuplot-4.0.0/demo/world.dat"

try:
    import GeoIP
    geoipcountry = GeoIP.open(conf.GeoIP_country, GeoIP.GEOIP_MEMORY_CACHE)
    geoipcity = GeoIP.open(conf.GeoIP_city, GeoIP.GEOIP_MEMORY_CACHE)
except ImportError:
    log_loading.warning("Cannont import GeoIP. Won't be able to provide IP localisation.")

def host2coords(host):
    try:
        rec = geoipcity.record_by_addr(host)
    except SystemError:
        try:
            rec = geoipcity.record_by_name(host)
        except SystemError:
            return None
    return rec['longitude'], rec['latitude']

def host2country(host):
    try:
        code = geoipcountry.country_code_by_addr(host)
        name = geoipcountry.country_name_by_addr(host)
    except SystemError:
        code = geoipcountry.country_code_by_name(host)
        name = geoipcountry.country_name_by_name(host)
    if code == None:
        return None
    return code, name

# we want to use this for TracerouteResult.world_trace

def TracerouteResult_world_trace(self):
    ips = {}
    rt = {}
    ports_done = {}
    for s,r in self.res:
        ips[r.src] = None
        if s.haslayer(TCP) or s.haslayer(UDP):
            trace_id = (s.src,s.dst,s.proto,s.dport)
        elif s.haslayer(ICMP):
            trace_id = (s.src,s.dst,s.proto,s.type)
        else:
            trace_id = (s.src,s.dst,s.proto,0)
        trace = rt.get(trace_id,{})
        if not r.haslayer(ICMP) or r.type != 11:
            if ports_done.has_key(trace_id):
                continue
            ports_done[trace_id] = None
        trace[s.ttl] = r.src
        rt[trace_id] = trace

    trt = {}
    for trace_id in rt:
        trace = rt[trace_id]
        loctrace = []
        for i in range(max(trace.keys())):
            ip = trace.get(i,None)
            if ip is None:
                continue
            loc = host2coords(ip)
            if loc is None:
                continue
            #loctrace.append((ip,loc)) # no labels yet
            loctrace.append(loc)
        if loctrace:
            trt[trace_id] = loctrace

    tr = map(lambda x: Gnuplot.Data(x,with="lines"), trt.values())
    g = Gnuplot.Gnuplot()
    world = Gnuplot.File(conf.gnuplot_world,with="lines")
    g.plot(world,*tr)
    return g

TracerouteResult.world_trace = TracerouteResult_world_trace
del(TracerouteResult_world_trace)



#### ASN resolution

def getASNlist_ra(list):
    
    def parseWhois(x):
        asn,desc = None,""
        for l in x.splitlines():
            if not asn and l.startswith("origin:"):
                asn = l[7:].strip()
            if l.startswith("descr:"):
                if desc:
                    desc += r"\n"
                desc += l[6:].strip()
            if asn is not None and desc:
                break
        return asn,desc.strip()
    
    ASNlist = []
    s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
    s.connect(("whois.ra.net",43))
    for ip in list:
        s.send("-k %s\n" % ip)
        asn,desc = parseWhois(s.recv(8192))
        ASNlist.append((ip,asn,desc))
    return ASNlist

def getASNlist_cymru(list):
    ASNlist = []
    s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
    s.connect(("whois.cymru.com",43))
    s.send("begin\r\n"+"\r\n".join(list)+"\r\nend\r\n")
    r = ""
    while 1:
        l = s.recv(8192)
        if l == "":
            break
        r += l
    s.close()
    for l in r.splitlines()[1:]:
        asn,ip,desc = map(str.strip, l.split("|"))
        if asn == "NA":
            continue
        asn = "AS" + asn
        ASNlist.append((ip,asn,desc))
    return ASNlist


#### SunRPC support + "state engine"

# let's read /etc/rpc to resolv rpc progs numbers

RPC_PROGRAMS={}
try:
    f=open("/etc/rpc")
    for l in f:
        try:
            if l[0] in ["#","\n"]:
                continue
            lt = tuple(re.split(spaces, l))
            if len(lt) < 2:
                continue
            RPC_PROGRAMS.update({lt[0]:int(lt[1])})
        except:
            log_loading.info("Couldn't parse one line from rpc file (" + l + ")")
    f.close()
except IOError,msg:
    log_loading.info("Can't open /etc/rpc file")


# now the generic Packet.update_states() method : we just need it to be recursive
# This should be added in Packet(Gen) definition.

def Packet_update_states(self):
    if type(self.payload) is not NoPayload:
        self.payload.update_states()

Packet.update_states = Packet_update_states
del(Packet_update_states)


# the packet classes :

class SunRPC(Packet):
    name = "SunRPC"
    longname = "Sun Remote Procdeure Call"
    fields_desc = [ ConditionalField(BitField("lastfrag", 1, 1), "underlayer", lambda x: type(x) is TCP),
                    ConditionalField(BitField("fraglen", 0, 31), "underlayer", lambda x: type(x) is TCP),
                    XIntField("XID", 0),
                    IntEnumField("msgtype", 0, {0:"Call", 1:"Reply"}) ]


class SunRPCCall(Packet):
    name = "SunRPCCall"
    longname = "Sun RPC Call"
    fields_desc = [ IntField("RPCversion", 2),
                    IntEnumField("program", 100000, RPC_PROGRAMS),
                    IntField("progversion", 0),
                    IntEnumField("procedure", 0, { 0 : "null", 1 : "set",
                                                   2 : "unset", 3 : "getport",
                                                   4 : "dump", 5 : "callit" }),
                    IntEnumField("credflavor", 0, {0:"null"}),
                    FieldLenField("credlen", None, "credentials", fmt="I"),
                    StrLenField("credentials", "", "credlen"),
                    IntEnumField("verifflavor", 0, {0:"null"}),
                    FieldLenField("veriflen", None, "verifier", fmt="I"),
                    StrLenField("verifier", "", "veriflen") ]

    def update_states(self):
        if type(self.underlayer) is SunRPC:
            xid = self.underlayer.XID
            undt = type(self.underlayer)
            if xid in states[undt]:
                # FIXME : two calls with same xid ?
                log_interactive.warning("redefining state for xid " + str(xid))
            states[undt][xid] = { "program" : self.program, "packets" : [ self ] }
        if type(self.payload) is not NoPayload:
            self.payload.update_states()
    
    def mysummary(self):
        return self.sprintf("Sun RPC Call program %program%, procedure %procedure%")
    


class SunRPCReply(Packet):
    name = "SunRPCReply"
    longname = "Sun RPC Reply"
    fields_desc = [ IntEnumField("state", 0, {0:"accepted"}),
                    IntEnumField("verifflavor", 0, {0:"null"}),
                    FieldLenField("veriflen", None, "verifier", fmt="I"),
                    StrLenField("verifier", "", "veriflen"),
                    IntEnumField("acceptstate", 0, {0:"success"}) ]

    # todo : function find_request(self)
    def guess_payload_class(self, payload):
        if type(self.underlayer) is not SunRPC:
            return Raw
        undt = type(self.underlayer)
        xid = self.underlayer.XID
        if xid in states[undt] and 'program' in states[undt][xid]:
            prog = states[undt][xid]['program']
            if prog == RPC_PROGRAMS['portmapper']:
                for p in states[undt][xid]['packets']:
                    if SunRPCCall in p and p[SunRPCCall].procedure == 3:
                        return PortmapGetPortReply
                # default to this. - Why ? - Why not ?
                return PortmapEntry
            #elif prog == RPC_PROGRAMS['nfs']:
            #    return NFS
        transport = self.underlayer.underlayer
        if type(transport) in [ TCP, UDP ]:
            if type(transport) == TPC:
                services = TCP_SERVICES
            else:
                services = UDP_SERVICES
            if transport.sport == services['sunrpc']:
                return PortmapEntry
            #elif transport.sport == services['nfs']:
            #    return NFS
            else:
                return Raw
        else:
            return Raw
    
    def update_states(self):
        if type(self.underlayer) is SunRPC:
            xid = self.underlayer.XID
            undt = type(self.underlayer)
            if xid in states[undt]:
                if 'packets' in states[undt][xid]:
                    if self not in states[undt][xid]['packets']:
                        states[undt][xid]['packets'].append(self)
                else:
                    states[undt][xid]['packets'] = [self]
            else:
                states[undt][xid] = { 'packets' : [self] }
        if type(self.payload) is not NoPayload:
            self.payload.update_states()
    
    def mysummary(self):
        undt = type(self.underlayer)
        if type(undt) is SunRPC:
            xid = self.underlayer.XID
            if xid in states[undt] and 'program' in states[undt][xid]:
                for p in states[undt][xid]['packets']:
                    if SunRPCCall in p:
                        return p.sprintf("Sun RPC Reply program %program%, procedure %procedure%")
        return self.sprintf("Sun RPC Reply XID %XID%")


class PortmapEntry(Packet):
    name = "PortmapEntry"
    longname = "Portmap Entry"
    show_indent = 0
    fields_desc = [ IntEnumField("valuefollows", 1, {1:"Yes", 0:"No"}),
                    ConditionalField(IntEnumField("program", 0, RPC_PROGRAMS), "valuefollows", lambda x:x==1),
                    ConditionalField(IntField("version", 0), "valuefollows", lambda x:x==1),
                    ConditionalField(IntEnumField("protocol", 0, IP_PROTOS), "valuefollows", lambda x:x==1),
                    ConditionalField(IntField("port", 0), "valuefollows", lambda x:x==1)
                    ]

class PortmapGetPort(Packet):
    name = "PortmapGetPort"
    longname = "Portmap Get Port"
    show_indent = 0
    fields_desc = [ IntEnumField("program", 0, RPC_PROGRAMS),
                    IntField("version", 0),
                    IntEnumField("protocol", 0, IP_PROTOS),
                    IntField("port", 0), ## ignored
                    ]

    def mysummary(self):
        return self.sprintf("Portmap GetPort for program %program% version %version%")

class PortmapGetPortReply(Packet):
    name = "PortmapGetPortReply"
    longname = "Portmap Get Port Reply"
    show_indent = 0
    fields_desc = [ IntField("port", 0),
                    ]
    
    def mysummary(self):
        if type(self.underlayer) is SunRPCReply:
            undt = type(self.underlayer.underlayer)
            if undt is SunRPC:
                xid = self.underlayer.underlayer.XID
                if xid in states[undt] and 'program' in states[undt][xid]:
                    for p in states[undt][xid]['packets']:
                        if PortmapGetPort in p:
                            if self[PortmapGetPortReply].port == 0:
                                resp = p[PortmapGetPort].sprintf("Portmap GetPort Reply program %program% not registered")
                            else:
                                resp = p[PortmapGetPort].sprintf("Portmap GetPort Reply program %program%")
                                resp += self.sprintf(" at port %port%")
                            return resp
        return self.sprintf("Portmap GetPort Reply port %port%")



# pseudo states engine. Hehe...

states={}

def clean_states():
    states.clear()
    for proto in [ SunRPC ]:
        states[proto]={}

clean_states()


# the functions that "create" Packet objects (by reading pcap files or by
# sniffing the network) need to be updated


## rdpcap()
def rdpcap(filename, count=-1, update=True):
    """Read a pcap file and return a packet list
count: read only <count> packets
update: run update_states() method for each packet"""
    return PcapReader(filename).read_all(count=count, update=update)


## PcapReader.read_all()
def PcapReader_read_all(self, count=-1, update=True):
    """return a list of all packets in the pcap file
    """
    res=[]
    while count != 0:
        count -= 1
        p = self.read_packet()
        if p is None:
            break
        if update:
            p.update_states()
        res.append(p)
    return PacketList(res,name = os.path.basename(self.filename))

PcapReader.read_all = PcapReader_read_all
del(PcapReader_read_all)


## sniff()
def sniff(count=0, store=1, offline=None, prn = None, lfilter=None, update=True, L2socket=None, timeout=None, *arg, **karg):
    """Sniff packets
sniff([count=0,] [prn=None,] [store=1,] [offline=None,] [lfilter=None,] [update=False,] + L2ListenSocket args) -> list of packets

  count: number of packets to capture. 0 means infinity
  store: wether to store sniffed packets or discard them
    prn: function to apply to each packet. If something is returned,
         it is displayed. Ex:
         ex: prn = lambda x: x.summary()
lfilter: python function applied to each packet to determine
         if further action may be done
         ex: lfilter = lambda x: x.haslayer(Padding)
offline: pcap file to read packets from, instead of sniffing them
update:  wether to run update_states() method when a packet is sniffed or not
timeout: stop sniffing after a given time (default: None)
L2socket: use the provided L2socket
    """
    c = 0

    if offline is None:
        if L2socket is None:
            L2socket = conf.L2listen
        s = L2socket(type=ETH_P_ALL, *arg, **karg)
    else:
        s = PcapReader(offline)

    lst = []
    if timeout is not None:
        stoptime = time.time()+timeout
    remain = None
    while 1:
        try:
            if timeout is not None:
                remain = stoptime-time.time()
                if remain <= 0:
                    break
            sel = select([s],[],[],remain)
            if s in sel[0]:
                p = s.recv(MTU)
                if p is None:
                    break
                if lfilter and not lfilter(p):
                    continue
                if store:
                    lst.append(p)
                c += 1
                if prn:
                    r = prn(p)
                    if r is not None:
                        print r
                if update:
                    p.update_states()
                if count > 0 and c >= count:
                    break
        except KeyboardInterrupt:
            break
    return PacketList(lst,"Sniffed")


#### PFLog support

class PFLog(Packet):
    name = "PFLog"
    # from OpenBSD src/sys/net/pfvar.h and src/sys/net/if_pflog.h
    fields_desc = [ ByteField("hdrlen", 0),
                    ByteEnumField("addrfamily", 2, {socket.AF_INET: "IPv4",
                                                    socket.AF_INET6: "IPv6"}),
                    ByteEnumField("action", 1, {0: "pass", 1: "drop",
                                                2: "scrub", 3: "no-scrub",
                                                4: "nat", 5: "no-nat",
                                                6: "binat", 7: "no-binat",
                                                8: "rdr", 9: "no-rdr",
                                                10: "syn-proxy-drop" }),
                    ByteEnumField("reason", 0, {0: "match", 1: "bad-offset",
                                                2: "fragment", 3: "short",
                                                4: "normalize", 5: "memory",
                                                6: "bad-timestamp",
                                                7: "congestion",
                                                8: "ip-options",
                                                9: "proto-cksum",
                                                10: "state-mismatch",
                                                11: "state-insert",
                                                12: "state-limit",
                                                13: "src-limit",
                                                14: "syn-proxy" }),
                    StrFixedLenField("iface", "", 16),
                    StrFixedLenField("ruleset", "", 16),
                    SignedIntField("rulenumber", 0),
                    SignedIntField("subrulenumber", 0),
                    SignedIntField("uid", 0),
                    IntField("pid", 0),
                    SignedIntField("ruleuid", 0),
                    IntField("rulepid", 0),
                    ByteEnumField("direction", 255, {0: "inout", 1: "in",
                                                     2:"out", 255: "unknown"}),
                    StrFixedLenField("pad", "\x00\x00\x00", 3 ) ]
    def mysummary(self):
        return self.sprintf("%PFLog.addrfamily% %PFLog.action% on %PFLog.iface% by rule %PFLog.rulenumber%")


#### GRE support 

class GRErouting(Packet):
    name = "GRErouting"
    longname = "GRE routing informations"
    fields_desc = [ ShortField("address_family",0),
                    ByteField("SRE_offset", 0),
                    FieldLenField("SRE_len", None, "routing_info", "B"),
                    StrLenField("routing_info", "", "SRE_len"),
                    ]

del(GRE)
class GRE(Packet):
    name = "GRE"
    fields_desc = [ BitField("chksum_present",0,1),
                    BitField("routing_present",0,1),
                    BitField("key_present",0,1),
                    BitField("seqnum_present",0,1),
                    BitField("strict_route_source",0,1),
                    BitField("recursion control",0,3),
                    BitField("flags",0,5),
                    BitField("version",0,3),
                    XShortEnumField("proto", 0x0000, ETHER_TYPES),
                    ConditionalField(XShortField("chksum",None),["chksum_present","routing_present"],lambda x:x!=[0,0]),
                    ConditionalField(XShortField("offset",None),["chksum_present","routing_present"],lambda x:x!=[0,0]),
                    ConditionalField(XIntField("key",None),"key_present",lambda x:x==1),
                    ConditionalField(XIntField("seqence_number",None),"seqnum_present",lambda x:x==1),
                    ]
    def post_build(self, p, pay):
        p += pay
        if self.chksum_present and self.chksum is None:
            c = checksum(p)
            p = p[:4]+chr((c>>8)&0xff)+chr(c&0xff)+p[6:]
        return p


#### layer_bonds needed for protocols added

new_layer_bonds = [
    
    ## PFLog
    ( PFLog,        IP,             { "addrfamily" : socket.AF_INET } ),
    ( PFLog,        IPv6,           { "addrfamily" : socket.AF_INET6 } ),

    ## SunRPC
    ( UDP,          SunRPC,         { "dport":111 } ),
    ( UDP,          SunRPC,         { "sport":111 } ),
    ( TCP,          SunRPC,         { "dport":111 } ),
    ( TCP,          SunRPC,         { "sport":111 } ),
    ( SunRPC,       SunRPCCall,     { "msgtype":0 } ),
    ( SunRPC,       SunRPCReply,    { "msgtype":1 } ),
    ( SunRPC,       SunRPCCall,     { "msgtype":0 } ),
    ( SunRPC,       SunRPCReply,    { "msgtype":1 } ),
    ( SunRPCCall,   PortmapGetPort, { "program" : RPC_PROGRAMS['portmapper'],
                                      "procedure" : 3 } ),
    ( PortmapEntry, PortmapEntry,   { } ),

    ## GRE
    ( GRE,          GRErouting,      { "routing_present" : 1 } ),
    ( GRErouting,   Raw,             { "address_family" : 0,
                                       "SRE_len" : 0 } ),
    ( GRErouting,   GRErouting,      { } ),
    ## Those are already present in scapy
    ( GRE,          LLC,             { "proto" : 0x007a } ),
    ( GRE,          Dot1Q,           { "proto" : 0x8100 } ),
    ( GRE,          Ether,           { "proto" : 0x0001 } ),
    ( GRE,          ARP,             { "proto" : 0x0806 } ),
    ( GRE,          IP,              { "proto" : 0x0800 } ),
    ( GRE,          EAPOL,           { "proto" : 0x888e } ),
    ( IP,           GRE,             { "frag" : 0, "proto" : socket.IPPROTO_GRE  } ),
    
    ]

for l in new_layer_bonds:
    bind_layers(*l)
del(l)
del(new_layer_bonds)


#### LL stuff

LLTypes[117] = PFLog
LLNumTypes[PFLog] = 117


#### main

if __name__ == "__main__":
    interact(mydict=globals(), mybanner="Scapy Extended " + EXTVERSION)