提升ASIO SSL接收的字节数

时间:2015-06-24 18:44:57

标签: c++ ssl boost callback boost-asio

我想使用Boost ASIO + SSL创建客户端/服务器通信程序对。所以我从boost提供的示例开始,我了解了它是如何工作的,我几乎已经准备好开发我的通信协议,除了有一个问题。

所以从this example开始,我在握手后修改handle_read()回调函数。以下是我的代码。我唯一的修改是:添加另一个名为startComm()的回调函数,它将启动通信。

void handle_read(const boost::system::error_code& error,
                 size_t bytes_transferred)
{
    if (!error)
    {
        std::cout << "Reply: ";
        std::cout.write(reply_, bytes_transferred);
        std::cout << "\n";

        boost::asio::async_write(socket_,
                                 boost::asio::buffer(std::string("Now?")),
                                 boost::bind(&SSLClient::startComm, this,
                                             boost::asio::placeholders::error,
                                             boost::asio::placeholders::bytes_transferred));
    }
    else
    {
        std::cout << "Read failed: " << error.message() << "\n";
    }
}

void startComm(const boost::system::error_code& error,
                 size_t bytes_transferred)
{
    if (!error)
    {
        std::cout << "Reply: ";
        std::cout.write(reply_, bytes_transferred); //problem here, bytes transferred should contain the number of received chars not number of written chars
        std::cout << "\n";
    }
    else
    {
        std::cout << "Read failed: " << error.message() << "\n";
    }


}

在上面的async_write()中,有一个参数boost::asio::placeholders::bytes_transferred,它将我的回调函数参数化,以提供发送到服务器的字节数。现在我想知道服务器响应的字节数。我怎么能在我的简单例子中做到这一点?

感谢。如果您需要任何其他详细信息,请询问。

1 个答案:

答案 0 :(得分:2)

write调用发送数据。

由于接收数据接收数据接收的字节数按定义为0。

如果您想接收数据,请使用(async_)read,它会告诉您收到的字节数

这些回调使用相同的占位符bytes_transferred),但它具有不同的含义,具体取决于已完成的转移方向。

这是技术上做你想要的解决方案:定义startComm的额外参数并绑定它(不是占位符)。

void handle_read(const boost::system::error_code &error, size_t bytes_received) {
    if (!error) {
        std::cout << "Reply: ";
        std::cout.write(reply_, bytes_received);
        std::cout << "\n";

        boost::asio::async_write(socket_, boost::asio::buffer(std::string("Now?")),
                                 boost::bind(&SSLClient::startComm, 
                                     this, 
                                     boost::asio::placeholders::error,
                                     bytes_received,
                                     boost::asio::placeholders::bytes_transferred));
    } else {
        std::cout << "Read failed: " << error.message() << "\n";
    }
}

void startComm(const boost::system::error_code &error, size_t had_received, size_t bytes_sent) {
    if (!error) {
        std::cout << "Reply: ";
        std::cout.write(reply_, had_received);
        std::cout << "\n";
    } else {
        std::cout << "Write failed: " << error.message() << "\n";
    }
}

请注意,我仍然认为您错误地希望async_write收到回复,其中(显然?)并非如此