本文主要是介绍C语言获取文件的SHA1哈希值,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
安全哈希算法(Secure Hash Algorithm)主要适用于数字签名标准 (Digital Signature Standard DSS)里面定义的数字签名算法(Digital Signature Algorithm DSA)。对于长度小于2^64位的消息,SHA1会产生一个160位的消息摘要。当接收到消息的时候,这个消息摘要可以用来验证数据的完整性。在传输的过程中,数据很可能会发生变化,那么这时候就会产生不同的消息摘要。 SHA1有如下特性:不可以从消息摘要中复原信息;两个不同的消息不会产生同样的消息摘要。
SHA1 C语言实现
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <assert.h>
#include <errno.h>#undef BIG_ENDIAN_HOST
typedef unsigned int u32;/****************
* Rotate a 32 bit integer by n bytes
*/
#if defined(__GNUC__) && defined(__i386__)
static inline u32rol( u32 x, int n)
{__asm__("roll %%cl,%0":"=r" (x):"0" (x),"c" (n));return x;
}
#else
#define rol(x,n) ( ((x) << (n)) | ((x) >> (32-(n))) )
#endiftypedef struct {u32 h0,h1,h2,h3,h4;u32 nblocks;unsigned char buf[64];int count;
} SHA1_CONTEXT;voidsha1_init( SHA1_CONTEXT *hd )
{hd->h0 = 0x67452301;hd->h1 = 0xefcdab89;hd->h2 = 0x98badcfe;hd->h3 = 0x10325476;hd->h4 = 0xc3d2e1f0;hd->nblocks = 0;hd->count = 0;
}/****************
* Transform the message X which consists of 16 32-bit-words
*/
static voidtransform( SHA1_CONTEXT *hd, unsigned char *data )
{u32 a,b,c,d,e,tm;u32 x[16];/* get values from the chaining vars */a = hd->h0;b = hd->h1;c = hd->h2;d = hd->h3;e = hd->h4;#ifdef BIG_ENDIAN_HOSTmemcpy( x, data, 64 );
#else{int i;unsigned char *p2;for(i=0, p2=(unsigned char*)x; i < 16; i++, p2 += 4 ) {p2[3] = *data++;p2[2] = *data++;p2[1] = *data++;p2[0] = *data++;}}
#endif#define K1 0x5A827999L
#define K2 0x6ED9EBA1L
#define K3 0x8F1BBCDCL
#define K4 0xCA62C1D6L
#define F1(x,y,z) ( z ^ ( x & ( y ^ z ) ) )
#define F2(x,y,z) ( x ^ y ^ z )
#define F3(x,y,z) ( ( x & y ) | ( z & ( x | y ) ) )
#define F4(x,y,z) ( x ^ y ^ z )#define M(i) ( tm = x[i&0x0f] ^ x[(i-14)&0x0f] \^ x[
这篇关于C语言获取文件的SHA1哈希值的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!