1 /* SPDX-License-Identifier: GPL-2.0 OR MIT */ 2 /* 3 * Copyright (C) 2015-2019 Jason A. Donenfeld <Jason@zx2c4.com>. All Rights Reserved. 4 */ 5 6 #ifndef BLAKE2S_H 7 #define BLAKE2S_H 8 9 #include <linux/types.h> 10 #include <linux/kernel.h> 11 #include <linux/string.h> 12 13 #include <asm/bug.h> 14 15 enum blake2s_lengths { 16 BLAKE2S_BLOCK_SIZE = 64, 17 BLAKE2S_HASH_SIZE = 32, 18 BLAKE2S_KEY_SIZE = 32, 19 20 BLAKE2S_128_HASH_SIZE = 16, 21 BLAKE2S_160_HASH_SIZE = 20, 22 BLAKE2S_224_HASH_SIZE = 28, 23 BLAKE2S_256_HASH_SIZE = 32, 24 }; 25 26 struct blake2s_state { 27 u32 h[8]; 28 u32 t[2]; 29 u32 f[2]; 30 u8 buf[BLAKE2S_BLOCK_SIZE]; 31 unsigned int buflen; 32 unsigned int outlen; 33 }; 34 35 enum blake2s_iv { 36 BLAKE2S_IV0 = 0x6A09E667UL, 37 BLAKE2S_IV1 = 0xBB67AE85UL, 38 BLAKE2S_IV2 = 0x3C6EF372UL, 39 BLAKE2S_IV3 = 0xA54FF53AUL, 40 BLAKE2S_IV4 = 0x510E527FUL, 41 BLAKE2S_IV5 = 0x9B05688CUL, 42 BLAKE2S_IV6 = 0x1F83D9ABUL, 43 BLAKE2S_IV7 = 0x5BE0CD19UL, 44 }; 45 46 void blake2s_update(struct blake2s_state *state, const u8 *in, size_t inlen); 47 void blake2s_final(struct blake2s_state *state, u8 *out); 48 49 static inline void blake2s_init_param(struct blake2s_state *state, 50 const u32 param) 51 { 52 *state = (struct blake2s_state){{ 53 BLAKE2S_IV0 ^ param, 54 BLAKE2S_IV1, 55 BLAKE2S_IV2, 56 BLAKE2S_IV3, 57 BLAKE2S_IV4, 58 BLAKE2S_IV5, 59 BLAKE2S_IV6, 60 BLAKE2S_IV7, 61 }}; 62 } 63 64 static inline void blake2s_init(struct blake2s_state *state, 65 const size_t outlen) 66 { 67 blake2s_init_param(state, 0x01010000 | outlen); 68 state->outlen = outlen; 69 } 70 71 static inline void blake2s_init_key(struct blake2s_state *state, 72 const size_t outlen, const void *key, 73 const size_t keylen) 74 { 75 WARN_ON(IS_ENABLED(DEBUG) && (!outlen || outlen > BLAKE2S_HASH_SIZE || 76 !key || !keylen || keylen > BLAKE2S_KEY_SIZE)); 77 78 blake2s_init_param(state, 0x01010000 | keylen << 8 | outlen); 79 memcpy(state->buf, key, keylen); 80 state->buflen = BLAKE2S_BLOCK_SIZE; 81 state->outlen = outlen; 82 } 83 84 static inline void blake2s(u8 *out, const u8 *in, const u8 *key, 85 const size_t outlen, const size_t inlen, 86 const size_t keylen) 87 { 88 struct blake2s_state state; 89 90 WARN_ON(IS_ENABLED(DEBUG) && ((!in && inlen > 0) || !out || !outlen || 91 outlen > BLAKE2S_HASH_SIZE || keylen > BLAKE2S_KEY_SIZE || 92 (!key && keylen))); 93 94 if (keylen) 95 blake2s_init_key(&state, outlen, key, keylen); 96 else 97 blake2s_init(&state, outlen); 98 99 blake2s_update(&state, in, inlen); 100 blake2s_final(&state, out); 101 } 102 103 void blake2s256_hmac(u8 *out, const u8 *in, const u8 *key, const size_t inlen, 104 const size_t keylen); 105 106 #endif /* BLAKE2S_H */ 107