Search code examples
pythonscapyvlan

Scapy: How to insert a new layer (802.1q) into existing packet?


I have a packet dump and want to inject a vlan tag (802.1q header) to the packets.
How to do that?


Solution

  • To find the answer, I had a look at Scapy: Inserting a new layer and logging issues, which is really helpful, but contains some cruft.

    My solution for adding a layer, based on the referenced question (add-dot1q_pcap.py):

    import sys
    from scapy.all import rdpcap, wrpcap, NoPayload, Ether, Dot1Q
    
    # read all packets into buffer
    # WARNING works only for small files
    packets = []
    
    for packet in rdpcap(sys.argv[1]):
        # gets the first layer of the current packet
        layer = packet.firstlayer()
        # loop over the layers
        while not isinstance(layer, NoPayload):
            if 'chksum' in layer.default_fields:
                del layer.chksum
    
            if (type(layer) is Ether):
                # adjust ether type
                layer.type = 33024
                # add 802.1q layer between Ether and IP
                dot1q = Dot1Q(vlan=42)
                dot1q.add_payload(layer.payload)
                layer.remove_payload()
                layer.add_payload(dot1q)
                layer = dot1q
    
            # advance to the next layer
            layer = layer.payload
        packets.append(packet)
    
    wrpcap(sys.argv[2], packets)
    

    The script adds a vlan tag with vlan id 42.

    Usage: ./add-dot1q_pcap.py <source_file> <output_file>