const-ciphers 0.0.5

Ciphers implemented as constant expressions in Rust for use in payload generation. Not for regular use.
Documentation
use const_for::const_for;

pub struct XorConst {}

impl XorConst {
    pub const fn encrypt<const N: usize, const K: usize>(
        plaintext: &[u8; N],
        key: &[u8; K],
    ) -> [u8; N] {
        if K == 0 {
            panic!("Key cannot be empty");
        }

        let mut ciphertext = [0u8; N];
        const_for!(i in 0..N => {
            ciphertext[i] = plaintext[i] ^ key[i % K];
        });

        ciphertext
    }

    pub const fn decrypt<const N: usize, const K: usize>(
        ciphertext: &[u8; N],
        key: &[u8; K],
    ) -> [u8; N] {
        Self::encrypt(ciphertext, key)
    }
}

pub struct Xor {}

impl Xor {
    pub fn encrypt<const N: usize, const K: usize>(plaintext: &[u8; N], key: &[u8; K]) -> [u8; N] {
        if K == 0 {
            panic!("Key cannot be empty");
        }

        let mut ciphertext = [0u8; N];
        const_for!(i in 0..N => {
            ciphertext[i] = plaintext[i] ^ key[i % K];
        });

        ciphertext
    }

    pub fn decrypt<const N: usize, const K: usize>(ciphertext: &[u8; N], key: &[u8; K]) -> [u8; N] {
        Self::encrypt(ciphertext, key)
    }
}

#[cfg(test)]
mod tests {
    use crate::xor::XorConst;

    #[test]
    fn test_const_mode() {
        let plaintext = [0u8; 16];
        let key = [0xFF; 16];

        let ciphertext = XorConst::encrypt(&plaintext, &key);
        let decrypted = XorConst::decrypt(&ciphertext, &key);

        assert_eq!(
            decrypted, plaintext,
            "Decrypted text does not match original plaintext"
        );
    }

    use crate::xor::Xor;

    #[test]
    fn test_nonconst_mode() {
        let plaintext = [0u8; 16];
        let key = [0xFF; 16];

        let ciphertext = Xor::encrypt(&plaintext, &key);
        let decrypted = Xor::decrypt(&ciphertext, &key);

        assert_eq!(
            decrypted, plaintext,
            "Decrypted text does not match original plaintext"
        );
    }
}