Today I was reading the Rumba20 paper and realized I had no idea how to take a compression function and bootstrap useful cryptographic functionality from it. So I’ll be attemping to do that today.

Rumba20 is a compression function developed by Daniel J. Bernstein. This article provides an implementation of Rumba20, and explores common use cases for compression functions.

Warning! I haven’t seen any implementations of Rumba20 in the wild. This means it has not been battle-tested as much as other functions. Even less than the number of Rumba20 implementations is the number of people using it in the way I am using it in this post. I may be “holding it wrong”, so there are no security guarantees about any of the things below.

Algorithm

Rumba20 is a compression function based on the Salsa20 function.

Salsa20 core

In the future I will write a detailed article about Salsa20. For this article, all you need to know is that Salsa20 is a function that maps 512-bit blocks to other 512-bit blocks. The Wikipedia article for Salsa20 is really good and provides all the necessary details. It’s linked at the bottom of this page, make sure to check it out.

The traditional use of Salsa20 is for encryption, as a stream cipher. In this use case, the input block is filled with a block with a 128-bit constant, a 256-bit key, and 128 bits of nonce/counter. After the Salsa20 core is executed on this block, the output block is well-diffused, hard to predict and hard to invert.

For Rumba20, we will use the same Salsa20 core with different contents in the input block.

Transform functions

Rumba20 uses the Salsa20 core to produce transform functions. A different 128-bit constant is used for each function, leaving 384 bits for the input. This results in a transform function that takes 384 bits of input and produces 512 bits of output.

This is hardly compression. In fact, our input just became larger. The next section explains how Rumba20 uses these transform functions to produce an actual compression function.

Rumba20

The way Rumba20 fills the block is different from Salsa20. Instead of using a key, nonce or a counter, Rumba20 fills the blocks with message bits and constants. Each transform function uses a different constant. The four transform functions of Rumba20 are listed below.

  • f1(M) → Salsa20(M, “firstRumba20bloc”)
  • f2(M) → Salsa20(M, “secondRumba20blo”)
  • f3(M) → Salsa20(M, “thirdRumba20bloc”)
  • f4(M) → Salsa20(M, “fourthRumba20blo”)

Aside from these 16-byte constants, each Salsa20 block can fit 48 bytes of message to produce a 64-byte output. Since Rumba20 uses 4 blocks; we end up compressing 192 bytes to 64 bytes, or a 1536-bit block to a 512-bit block.

Rumba20(m1, m2, m3, m4) = f1(m1) ⊕ f2(m2) ⊕ f3(m3) ⊕ f4(m4)

Where m1, m2, m3, m4 are the 192 message bytes split into 48-byte chunks and ⊕ is the XOR operation.

Python implementation

We will now take what we discussed above, and implement it in Python.

Salsa20

Since this is an article exploring the Rumba20 function, and Rumba20 is based on Salsa20, it is assumed that there is a working implementation of Salsa20 available to us. Just like a good cooking show, I have one prepared in advance. It transforms 64-byte inputs into 64-byte outputs.

In [2]:
block = bytes(list(range(64)))

block.hex()
salsa20_block(block).hex()
Out [2]:
'000102030405060708090a0b0c0d0e0f101112131415161718191a1b1c1d1e1f202122232425262728292a2b2c2d2e2f303132333435363738393a3b3c3d3e3f'
Out [2]:
'3c561d323c15ba1eb897f3ebdb284b5dfbb93822038c6739d0e8b9efc8c801853c9f62090ad37bf7066293aae2e8a758a43a1fd5619c1e8929c9f40c819a44d4'

Transform function

We are hardcoding the position of the bytes where the constant is supposed to go. Every position that is not meant for a constant is used for a message byte.

In [3]:
const_indices = [
     0,  1,  2,  3,
    20, 21, 22, 23,
    40, 41, 42, 43,
    60, 61, 62, 63,
]

msg_indices = [x for x in range(64)
               if x not in const_indices]
In [4]:
def salsa20_transform(constant, message):
    constant = constant.encode("ascii")
    assert len(constant) == 16
    assert len(message) == 48
    
    block = bytearray(64)
        
    for i, x in enumerate(const_indices):
        block[x] = constant[i]
        
    for i, x in enumerate(msg_indices):
        block[x] = message[i]
        
    return salsa20_block(block)

Let’s define f1, f2, f3 and f4 exactly like we described above.

In [5]:
from functools import partial

def make_transform(constant):
    return partial(salsa20_transform, constant)

f1 = make_transform("firstRumba20bloc")
f2 = make_transform("secondRumba20blo")
f3 = make_transform("thirdRumba20bloc")
f4 = make_transform("fourthRumba20blo")

The compression function itself is very short. Split the input block into four chunks, transform them using the Salsa20 core, and XOR the resulting blocks into one.

In [6]:
def rumba20_block(block):
    assert len(block) == 192
    
    # Split the message into four blocks.
    # Each block will be 48 bytes.
    m1, block = block[:48], block[48:]
    m2, block = block[:48], block[48:]
    m3, m4 = block[:48], block[48:]
    
    result = bytearray(64)
    result = buf_xor(result, f1(m1))
    result = buf_xor(result, f2(m2))
    result = buf_xor(result, f3(m3))
    result = buf_xor(result, f4(m4))
    
    return result

That’s the whole compression function. We can see that it takes 192-byte inputs and produces 64-byte outputs.

In [7]:
x = bytearray(192)
output = rumba20_block(x)

len(output)
Out [7]:
64

But on its own, this is not very usable. Let’s implement some familiar functionality.

Merkle–Damgård hash from Rumba20

Merkle–Damgård is a method of building hash functions from compression functions. We can use the rumba20_block function we wrote above and turn it from a function that accepts a 192-byte input into one that takes arbitrary-sized inputs.

In [8]:
def rumba20_md(data):
    length = len(data)
    
    block = length.to_bytes(64, 'little')
    
    while data:
        data_block, data = data[:128], data[128:]
        
        block += data_block
        
        while len(block) < 192:
            block += b"\x00"
        
        block = rumba20_block(block)
    
    return block
In [9]:
rumba20_md(b"Hello, world!").hex()
rumba20_md(b"Hello, World!").hex()
Out [9]:
'28a56175a329ead1aa6f1e02d15654d0e71316eb18f4e87021877e430f14ddb9e179e3fe0e39af379f1ffd0721511ca765dec18c3ce0fc08aa974b977b4ab23d'
Out [9]:
'0803551717bff8218767d4e450bc2b9510367f30adb3d2b14b19629160aa87248380111c02f571af8e1794e7b4defc75298629ed000fa2f05626284e43d5ac31'

HMAC-Rumba20

HMAC is a construction that turns a hash function into a keyed Message Authentication Code (MAC). This can be used as a signature with a secret key. It also mitigates some of the problems with Merkle–Damgård hashes. We can easily convert our rumba20_md function into a HMAC by following the HMAC specification.

In [10]:
def hmac_rumba20(key, message):
    if len(key) > 192:
        key = rumba20_md(key)
    
    while len(key) < 192:
        key += b"\x00"
    
    outer_pad = bytes([x ^ 0x5c for x in key])
    inner_pad = bytes([x ^ 0x36 for x in key])
    
    return rumba20_md(outer_pad + rumba20_md(inner_pad + message))

As we can see below, computing the HMAC of the same message with two different keys produces completely different results.

In [11]:
hmac_rumba20(b"key1", b"Test message").hex()
hmac_rumba20(b"key2", b"Test message").hex()
Out [11]:
'63b6248be73873aa57f3f5d90d4d928a12518c77ee76425261d1eeb0495031ab52b3f03cf9e32bc4d13d1996f6cd9f48877f1f9a4bc240ae105da8ada68b29e1'
Out [11]:
'de4c6e03cc7b907d659c674ab543230d6bfe9548f5402cde0c6030d344aede6bf788ca0aab83a3ae96e21e7abffb997bb5fb98362934ec9ecf7bb4533572e887'

Similarly, using the same key with two different messages will yield different results.

In [12]:
hmac_rumba20(b"key", b"First message").hex()
hmac_rumba20(b"key", b"Second message").hex()
Out [12]:
'83e6283d043e4a35234ab75bf510f162775de8edfad4e1517ec5dfb5ec14e14929c74416f21dcce5eed111e540319a949d3a5f438189d9e205a3070c7cb2c89f'
Out [12]:
'4b0c3b7c5c777e4615d3177043b9d1ff9e728b8a45788a794c473d9f513fd33cbd36c928eb09bd2422278586767c76b4bf381e79313c04de84c27f9508b7e42c'

HKDF-Rumba20

In [13]:
def hkdf_extract(input_key, salt):
    if not salt:
        salt = bytes(64)
    
    return hmac_rumba20(salt, input_key)
In [14]:
def hkdf_expand(key, info, length):
    result = b""
    
    t = b""
    i = 1
    while len(result) < length:
        t = hmac_rumba20(key, t + info + bytes([i]))
        result += t
        i += 1
    return result[:length]
In [15]:
def hkdf_rumba20(input_key, salt = b"", info = b"", length = 32):
    prk = hkdf_extract(input_key, salt)
    return hkdf_expand(prk, info, length)
In [16]:
hkdf_rumba20(b"Test key", info=b"Map").hex()
hkdf_rumba20(b"Test key", info=b"Config").hex()
Out [16]:
'd903a1371bf68b4eb39b50d930b6701ace9869e84e43a3132b30aad00b0b5f08'
Out [16]:
'd67f35b4ce231bf7da56165625174f3e518d47932a96e821056ffccb607ea9f9'

Conclusion

We have started our journey by reading the Rumba20 paper, and implemented higher-and-higher level cryptographic constructions. The building blocks we created allow us to make

  • Random number generators
  • Hash functions
  • Message authentication codes
  • Key derivation functions
  • Randomness extractors
  • One-time passwords

and more.

References and useful links