Asio完成处理程序中的实例变量无效

时间:2015-04-08 23:36:42

标签: c++ boost-asio

我已经使用Asio(非增强版)设置了一个简单的异步tcp服务器,它几乎遵循此处使用的代码:http://think-async.com/Asio/asio-1.11.0/doc/asio/tutorial/tutdaytime3.html

我遇到了一个问题,即在async_read_some / async_receive的完成处理程序中尝试访问当前tcp_connection实例的变量会引发错误。有问题的变量只是指向我创建的加密类实例的指针。一旦调用完成处理程序,该指针似乎变为无效(0xFEEEFEEE的地址)。这里是一个来自客户端的连接后创建的tcp_connection类:

class tcp_connection
    : public enable_shared_from_this<tcp_connection> {
public:
    typedef shared_ptr<tcp_connection> pointer;

    static pointer create(asio::io_service &ios) {
        return pointer(new tcp_connection(ios));
    }

    tcp::socket &socket() {
    return socket_;
    }

    void start() {
        byte* buf = new byte[4096];

        socket_.async_receive(asio::buffer(buf, 4096), 0,
            bind(&tcp_connection::handle_receive, this,
            buf,
            std::placeholders::_1, std::placeholders::_2));
    }

private:
    tcp_connection(asio::io_service &ios)
        : socket_(ios) {
        crypt_ = new crypt();
    }

    void handle_receive(byte* data, const asio::error_code &err, size_t len) {
        cout << "Received packet of length: " << len << endl;

        crypt_->decrypt(data, 0, len);  // This line causes a crash, as the crypt_ pointer is invalid.

        for (int i = 0; i < len; ++i)
            cout << hex << setfill('0') << setw(2) << (int)data[i] << ", ";

        cout << endl;
    }

    tcp::socket socket_;
    crypt* crypt_;
};

我认为这与Asio内部使用线程的方式有关。我原以为我会用当前的tcp_connection实例调用完成处理程序(handle_receive)。

我有什么遗失的东西吗?我对Asio不太熟悉。提前谢谢。

1 个答案:

答案 0 :(得分:1)

首先,当只有现存的异步操作时,您应该使用shared_from_this来阻止tcp_connection被“收集”:

    socket_.async_receive(asio::buffer(buf, 4096), 0,
        bind(&tcp_connection::handle_receive, shared_from_this()/*HERE!!*/, 
        buf,
        std::placeholders::_1, std::placeholders::_2));

其次,你的tcp_connection类应该实现三阶规则(至少在析构函数中清除crypt_并禁止复制/赋值)。

您也不会在当前样本中释放buf

当然,一般来说,只需使用智能指针即可。

<强> Live On Coliru