嗨,我正在尝试用C ++编写SMTP客户端。
在“ ehlo ...”和STARTTLS命令之后,连接似乎很好,当我尝试SSL_write()时收到此错误:

32096:error:140790E5:SSL routines:SSL23_write::ssl handshake failure


我在SSL_write之前尝试过SSL_do_handshake(),它可以正常工作。

这是我的SSL部分代码。

typedef struct {
    int socket;
    SSL *sslHandle;
    SSL_CTX *sslContext;
} SSLConnection;

SSLConnection* wrapSslSocket(SOCKET hSocket)
{
    SSLConnection *c;
    c = (SSLConnection *)malloc (sizeof (SSLConnection));
    c->sslHandle = NULL;
    c->sslContext = NULL;
    c->socket = hSocket;
    if (c->socket)
    {
        // Register the error strings for libcrypto & libssl
        SSL_load_error_strings ();
        // Register the available ciphers and digests
        SSL_library_init ();

        c->sslContext = SSL_CTX_new (SSLv23_client_method ()); //I tried SSLv23, SSLv3, SSLv2, TLSv1.2 TLSv1.1, TLSv1.0
        if (c->sslContext == NULL)
          ERR_print_errors_fp (stderr);

        // Create an SSL struct for the connection
        c->sslHandle = SSL_new (c->sslContext);
        if (c->sslHandle == NULL)
          ERR_print_errors_fp (stderr);

        // Connect the SSL struct to our connection
        if (!SSL_set_fd (c->sslHandle, c->socket))
          ERR_print_errors_fp (stderr);

        if (!SSL_set_mode(c->sslHandle, SSL_MODE_AUTO_RETRY))
            ERR_print_errors_fp (stderr);

        // Initiate SSL handshake
        if (SSL_connect (c->sslHandle) != 1)
          ERR_print_errors_fp (stderr);
    }
    return c;
}



// Read all available text from the connection
int sslRead (SSLConnection *c)
{
  const int readSize = 1024;
  char buffer[1024];
  int cb;
  int cbBuffer = 0;

if (c)
{
    while (1)
    {
        cb = SSL_read( c->sslHandle, buffer + cbBuffer, sizeof(buffer) - 1 - cbBuffer);
        if( cb <= 0 )
        {
            ERR_print_errors_fp (stderr);
            return -1;
        }
        cbBuffer += cb;
        if( memcmp( buffer + cbBuffer - 2, "\r\n", 2 ) == 0 )
        {
            buffer[cbBuffer] = '\0';
            break;
        }
    }
}
    printf("ssl send : %s \n",buffer);
    char status[3];
    memcpy(status,buffer, 3*sizeof(char));
    status[3] = '\0';
    return atoi(status);
}

// Write text to the connection
int sslWrite (SSLConnection *c, char *text)
{
  if (c)
  {
      int v = SSL_do_handshake(c->sslHandle);
      ERR_print_errors_fp (stderr);
      return SSL_write (c->sslHandle, text, strlen (text));
  }
}


我正在smtp.gmail.com端口587上进行测试

谢谢

最佳答案

您可能要考虑使用Scott Gifford的sslclient(请参见http://www.superscript.com/ucspi-ssl/sslclient.html)。 sslclient将生成您的程序并打开与服务器的tcp连接,并将您程序的stdout通过管道传输到服务器,然后将服务器的输出通过管道传输到您程序的stdin。他有一个用于TLS的分叉版本,它将以纯文本形式开始连接,然后,当双方就STARTTLS达成协议后,您的程序可以通过向文件描述符写入命令,向Sslcient发出信号以启用SSL加密。目的(请参见https://github.com/SuperScript/ucspi-ssl/pull/1)。通过这种方式,您可以使用sslclient进行所有繁重的工作,包括设置套接字和ssl等,并且您可以专注于程序的核心功能。

09-25 20:58