-2

我已经编译了 .so 库并将其复制到我的新项目中。我还从源文件夹中复制了 .h 文件。

现在我尝试使用它。

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <stdint.h>
#include <iostream>
#include "md5.h"

using namespace std;

int main (int argc, char *argv[]) {
md5_init();
md5_append();
md5_finish();
return 0;
}

在输出我得到一个错误:函数«void md5_init(md5_state_t*)»的参数太少

和 .h 文件:

typedef unsigned char md5_byte_t; /* 8-bit byte */
typedef unsigned int md5_word_t; /* 32-bit word */

/* Define the state of the MD5 Algorithm. */
typedef struct md5_state_s {
    md5_word_t count[2];    /* message length in bits, lsw first */
    md5_word_t abcd[4]; /* digest buffer */
    md5_byte_t buf[64]; /* accumulate block */
} md5_state_t;

#ifdef __cplusplus
extern "C"
{
#endif

/* Initialize the algorithm. */

#ifdef WIN32
_declspec(dllexport)
#endif
void md5_init(md5_state_t *pms);

/* Append a string to the message. */
#ifdef WIN32
_declspec(dllexport)
#endif
void md5_append(md5_state_t *pms, const md5_byte_t *data, int nbytes);

/* Finish the message and return the digest. */
#ifdef WIN32
_declspec(dllexport)
#endif
void md5_finish(md5_state_t *pms, md5_byte_t digest[16]);

#ifdef __cplusplus
} /* end extern "C" */
#endif

图书馆已从本站获得。请参阅 C++ 实现。

我误解了什么?

4

1 回答 1

1

您调用的 MD5 函数都需要(至少)一个能够存储“消息摘要流”(您要为其生成摘要的字节序列)的当前状态的结构。

该结构允许您在多次调用之间存储状态md5_append()以及并排运行多个流,因为给定流的状态完全存储在结构中。

要正确执行此操作,您需要类似以下内容:

#define HELLO "Hello"
#define SENDR " from Pax"

int main (int argc, char *argv[]) {
    md5_state_t pms;
    md5_byte_t digest[16];

    md5_init (&pms);

    md5_append (&pms, (const md5_byte_t *)HELLO, strlen (HELLO));
    md5_append (&pms, (const md5_byte_t *)SENDR, strlen (SENDR));

    md5_finish (&pms, digest);

    // digest now holds the message digest for the given string.

    return 0;
}
于 2013-06-24T08:53:15.680 回答