Reference

Introduction

bisturi is all about creating binary structures or ṕackets in Python in a declarative way.

The main goal is to avoid manual parsing.

We will begin with a simple packet called Type-Length-Payload or TLP for short.

It consists of three fields:

We translate this into a Python class

>>> from bisturi.packet import Packet
>>> from bisturi.field import Int, Data

>>> class TLP(Packet):
...    type = Int(1)
...    length = Int()
...    payload = Data(length)

One of the primary goals of bisturi is to be simple and easy to read.

In the best cases reading a packet class is almost the same as reading the specification of the format, protocol or RFC.

Fields

We will explore more about Int and Data in the following sections, but for now a few notes:

Ok, now let’s instantiate a TLP packet:

>>> p = TLP()
>>> p.type
0
>>> p.length
0
>>> p.payload
b''

Those values come from the defined defaults for Int and Data which are 0 and '' respectively.

Of course, my defaults may not be yours, so you can change them per packet instance:

>>> p = TLP(type=2)
>>> p.type
2
>>> p.length
0
>>> p.payload
b''

Or you can change the default in its definition so all the instances will inherit it:

>>> class TLP(Packet):
...    type = Int(1, default=2)
...    length = Int()
...    payload = Data(length)

>>> p = TLP()
>>> p.type
2
>>> p.length
0
>>> p.payload
b''

[extra] Field introspection

One last comment, get_fields is a special class method to retrieve, among other things, the name of the fields.

>>> [name for name, _, _, _ in TLP.get_fields()]
['type', 'length', 'payload']

So, we have an idea of how to create packet definitions. What we can do with them?