0
#include <algorithm>
#include <stdio.h>
#include <openssl/sha.h>

using namespace std;

int main()
{
    unsigned char ibuf[] = "compute sha1";
    unsigned char obuf[20];

    SHA1(ibuf, strlen(ibuf), obuf);

    int i;
    for (i = 0; i < 20; i++) {
        printf("%02x ", obuf[i]);
    }
    printf("\n");
}


g++ file.cpp -o file -l libssl


file.cpp: In function ‘int main()’:
file.cpp:29:27: error: invalid conversion from ‘unsigned char*’ to ‘const char*’ [-fpermissive]
/usr/include/string.h:399:15: error:   initializing argument 1 of ‘size_t strlen(const char*)’ [-fpermissive]

不知道怎么了..我正在尝试计算 sha1

4

1 回答 1

1

首先,我想知道它是否在匿名化中丢失了,但在我看来似乎丢失了

include <string.h>

命令行应该看起来更像:

g++ file.cpp -o file -lssl

您正在使用 C++ 编译器。C++ 编译器通常对类型非常严格。您已定义ibufunsigned char(并在 strlen 中使用它被视为unsigned char *)和strlen期望const char*,因此它会产生错误。

您有以下选择:

  1. 你可以ibuf投入strlen

    SHA1(ibuf, strlen((const char *)ibuf), obuf);
    
  2. 您可以使用建议-fpermissive的标志来做出g++更多的宽容并将错误转换为警告,尽管我不推荐它:

    g++ -fpermissive file.cpp -o file -lssl
    
  3. 由于代码看起来就像一个普通的C,也许你不需要C++编译器。如果是这种情况,只需使用 C-compiler 而不是C++

    gcc file.cpp -o file -lssl
    

    然后,您需要删除include <algorithm>and namespace..

于 2013-07-24T17:00:12.710 回答