use std::convert::TryInto;
use hacspec_lib::hacspec_helper::*;
pub type PolyKey = [u8; 32];
const BLOCKSIZE: usize = 16;
pub type PolyBlock = [u8; 16];
pub type Poly1305Tag = [u8; 16];
pub type SubBlock = Vec<u8>;
pub type BlockIndex = usize;
#[nat_mod("03fffffffffffffffffffffffffffffffb", 17)]
pub struct FieldElement {}
pub type PolyState = (FieldElement, FieldElement, PolyKey); pub fn poly1305_encode_r(b: &PolyBlock) -> FieldElement {
let mut n = u128::from_le_bytes(*b);
n &= 0x0fff_fffc_0fff_fffc_0fff_fffc_0fff_ffffu128;
FieldElement::from_u128(n)
}
pub fn poly1305_encode_block(b: &PolyBlock) -> FieldElement {
let n = u128::from_le_bytes(*b);
let f = FieldElement::from_u128(n);
f + FieldElement::pow2(128)
}
pub fn poly1305_encode_last(pad_len: BlockIndex, b: &SubBlock) -> FieldElement {
let mut bytes = [0u8; 16];
bytes[0..b.len()].copy_from_slice(b);
let n = u128::from_le_bytes(bytes);
let f = FieldElement::from_u128(n);
f + FieldElement::pow2(8 * pad_len)
}
pub fn poly1305_init(k: PolyKey) -> PolyState {
let r = poly1305_encode_r(&k[0..16].try_into().unwrap());
(FieldElement::zero(), r, k)
}
pub fn poly1305_update_block(b: &PolyBlock, st: PolyState) -> PolyState {
let (acc, r, k) = st;
((poly1305_encode_block(b) + acc) * r, r, k)
}
pub fn poly1305_update_blocks(m: &[u8], st: PolyState) -> PolyState {
let mut st = st;
for block in m.chunks_exact(BLOCKSIZE) {
st = poly1305_update_block(block.try_into().unwrap(), st);
}
st
}
pub fn poly1305_update_last(pad_len: usize, b: &SubBlock, st: PolyState) -> PolyState {
let mut st = st;
if !b.is_empty() {
let (acc, r, k) = st;
st = ((poly1305_encode_last(pad_len, b) + acc) * r, r, k);
}
st
}
pub fn poly1305_update(m: &[u8], st: PolyState) -> PolyState {
let st = poly1305_update_blocks(m, st);
let mchunks = m.chunks_exact(BLOCKSIZE);
let last = mchunks.remainder();
poly1305_update_last(last.len(), &last.to_vec(), st)
}
pub fn poly1305_finish(st: PolyState) -> Poly1305Tag {
let (acc, _, k) = st;
let n = u128::from_le_bytes(k[16..32].try_into().unwrap());
let aby = acc.to_le_bytes();
let a = u128::from_le_bytes(aby[0..16].try_into().unwrap());
a.wrapping_add(n).to_le_bytes()
}
pub fn poly1305(m: &[u8], key: PolyKey) -> Poly1305Tag {
let mut st = poly1305_init(key);
st = poly1305_update(m, st);
poly1305_finish(st)
}